How to get first n elements of an array in JavaScript
In this tutorial, we are going to learn about how to get the first n elements of an array in JavaScript.
Consider, we have an array like this:
const cars = ["benz", "bmw", "volvo", "skoda"];
To access the first n elements of an array, we can use the built-in slice()
method by passing 0, n
as an arguments to it.
n
is the number of elements we need to get from an array, 0 is the first element index.
Here is an example, that gets the first 2 elements of an array:
const cars = ["benz", "bmw", "volvo", "skoda"];
const firstTwo = cars.slice(0, 2);
console.log(firstTwo); // ["benz", "bmw"]
Similarly, you can get first 3 three elements like this:
const cars = ["benz", "bmw", "volvo", "skoda"];
const firstThree = cars.slice(0, 3);
console.log(firstThree); // ["benz", "bmw", "volvo"]
You can also read, how to get first element of an array in JavaScript.