Chalarangelo/30-seconds-of-code

View on GitHub
content/snippets/js/s/last-element-of-array.md

Summary

Maintainability
Test Coverage
---
title: Get the last element of a JavaScript array
shortTitle: Last element of array
type: tip
language: javascript
tags: [array]
cover: purple-laptop
excerpt: Array destructuring can be leveraged in many different ways. Here's one of them.
listed: true
dateModified: 2022-08-28
---

If you have worked with JavaScript arrays before, you might know that they can be destructured much like objects. This is most commonly used to extract the first value of an array or the values of an array with a known length.

But destructuring can go much further, as it allows you to extract the `length` property of an array. Add this to the fact that extracted variables can be used in the destructuring assignment itself and you can put together a one-liner to extract the last element of an array.

```js
const arr = [1, 2, 3];
const { 0: first, length, [length - 1]: last } = arr;
first; // 1
last; // 3
length; // 3
```

While this technique is interesting, it has a couple of caveats. First off, you have to extract the `length` property, which creates an additional variable for it. And secondly, it doesn't have any significant performance advantages over other options, such as using `Array.prototype.slice()`.