Methods are functions attached to objects and since arrays have methods themselves, arrays are basically objects as well.
We use this built-in methods for manipulating arrays and handling several operations.
Similar to the slice method on strings, we use this method to extract parts of an array without changing the main array.
We simply do this by using the .slice()
keyword and pass in the start and end index we want to slice from.
const arr = ['a', 'b', 'c', 'd', 'e'];
arr.slice(2); // Result will be ['c', 'd', 'e']
This will slice the first [0], second [1] elements and start extracting at position [2] of the array, as defined in the method.
We can also define start and end positions of this method.
arr.slice(2, 4); // ['c', 'd' ]
What this will basically do is return [2] and [3]. And remember the length of the output array will be the end position minus the start position.
So 4 - 2 = 2
and so the result are two elements ['c', d]
Note It does not mutate the original array but rather creates a copy or clone from the original array with the extracted parts
We can also use negative numbers. For example
arr.slice(-2); // This will give us the last two elements of the array.
Finally we can use the slice method to create a shallow copy of the array which is similar to how we used the spread operator to create a shallow copy of the array.
arr.slice(); // ['a', 'b', 'c', 'd', 'e']
[...arr]; // ['a', 'b', 'c', 'd', 'e']
You can use either methods to create a shallow copy of an array, but you only use the .slice()
method when we want to chain multiple array methods.
This works the same way with the slice method, except it mutates the original array.
arr.splice(2); // ['c', 'd', 'e']
console.log(arr); // Remaining elements after splice method ['a', 'b']
arr.splice(-1);
console.log(arr); // returns last element only ['e']
In real-world scenario, we don't usually have need for the remaning elements in an array, a good use case of the splice method is removing the last element from an array.
arr.splice(-1); // ['a', 'b' 'c', 'd']
console.log(arr);
The splice method also takes in a second argument. Except instead of selecting the last element of the array, it is used to specify the number of elements we want to delete starting from the first index. I.e deleteCount
arr.splice(1, 2); // ['b', 'c'] Starts from index [1] and select only 2 elements
The reverse array method is used to reverse the order of an array.
arr = ['a', 'b', 'c', 'd', 'e'];
const arr2 = ['j', 'i', 'h', 'g', 'f'];
console.log(arr2.reverse()); // ['f', 'g', 'h', 'i', 'j']
console.log(arr2); // ['f', 'g', 'h', 'i', 'j']
The reverse method also mutates the array. Using this method will reverse the original array.
This method is used to concat arrays together.
const joinedArr = arr.concat(arr2);
console.log(joinedArr); // ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j'];
The concat method of course does not mutate the original array.
The join method as we've seen is used to concatenate all the elements of an array using a specified seperator string
Previosuly we used the for of
loop to loop between arrays, the forEach
method also allows us to loop between array but in a more different way.
const movements = [200, 450, -400, 3000, -650, -130, 70, 1300];
for (const transactions of movements) {
transactions < 1
? console.log(`You withdrew ${Math.abs(transactions)}`)
: console.log(`You deposited ${transactions}`);
}
const movements = [200, 450, -400, 3000, -650, -130, 70, 1300];
movements.forEach(function (transactions) {
transactions < 1
? console.log(`You withdrew ${Math.abs(transactions)}`)
: console.log(`You deposited ${transactions}`);
});
The callback function executes at every iteration, so:
0: function(200)
1: function(450)
2: function(-400)
// ...
The forEach
method is a higher order function that takes in a callback function that is executed at it iteration of looping through an array.
As the forEach
method calls the callback function in each iteration, it will pass in the current element of the array as an argument passed into the function.
The forEach
method also uses arrow functions.
movements.forEach(transactions =>
transactions < 1
? console.log(`You withdrew ${Math.abs(transactions)}`)
: console.log(`You deposited ${transactions}`)
);
Previously we looked at how to access indexes of arrays with the for of
loop:
for (const [i, transactions] of movements.entries) {
}
The forEach
method also does this and even returns the element, the index, and even the entire array we're looping.
movements.forEach(transcations, i, arr) {
transact < 1
? console.log(`Transaction ${i}: You withdrew ${Math.abs(transact)}`, arr)
: console.log(`Transaction ${i}: You deposited ${transact}`, arr);
}
The names does not matter but the order has to be element, index, array
Note The order of values is different in the
for of
loop andforEach
method.
for of (index, element)
forEach (element, index, array)
- The forEach method does not have the
continue
andbreak
keywords, so use the for of loop if you absolutely want to break or continue a looping operation.
The Map, Filter, and Reduce array methods are the three biggest array methods in JavaScript for data transformations. They allow us manipulate and change arrays and store them into newer arrays.
In recent years, these tools have become really popular because of their importance.
The map()
method creates a new array populated with the results of calling a provided function on every element in the calling array.
This method is similar to the forEach
method but the difference is that the Map
methods creates a brand new array based on the original array.
const euroToUSD = 1.1;
const movements = [200, 450, -400, 3000, -650, -130, 70, 1300];
cost movementsUSD = movements.map(function (mov) {
return mov * euroToUSD;
});
We can also use the arrow function in the callback function to make it look even neater.
const movementsUSD = movements.map(mov => mov * euroToUSD);
The map()
method also has access to the same parameters, we can also get the index
, and the whole array
as well.
const movementsDescriptions = movements.map(
(mov, i) =>
`Movements ${i}: You ${mov > 0 ? 'deposited' : 'withdrew'} ${Math.abs(mov)}`
);
console.log(movementsDescriptions);
The filter()
method creates a shallow copy of a portion of a given array, filtered down to just the elements from the given array that pass the test implemented by the provided function (a certain condition).
The reduce()
method executes a 'reducer' callback function on each element of an array and returns the sum of all the elements in the array to a single value.