How To Add To Javascript Array

Arrays are a fundamental part of any programming language, and JavaScript is no exception. They are incredibly useful for storing and
managing lists of data. In this blog post, we will discuss how to add elements to a JavaScript array using different methods.

Adding Elements Using the push() Method

The most common way to add elements to a JavaScript array is by using the push() method. This method adds new elements to the
end of the array.

let fruits = ['apple', 'banana', 'orange'];
fruits.push('grape');
console.log(fruits); // Output: ['apple', 'banana', 'orange', 'grape']

Adding Elements Using the unshift() Method

If you want to add elements to the beginning of the array instead, you can use the unshift() method. This method adds new
elements to the start of the array and shifts the existing elements to higher indexes.

let fruits = ['apple', 'banana', 'orange'];
fruits.unshift('grape');
console.log(fruits); // Output: ['grape', 'apple', 'banana', 'orange']

Adding Elements at a Specific Index

To add an element at a specific index in the array, you can use the splice() method. The first parameter is the index where
you want to add the element, the second parameter is the number of elements you want to remove (0 in this case), and the third parameter
is the element you want to add.

let fruits = ['apple', 'banana', 'orange'];
fruits.splice(1, 0, 'grape');
console.log(fruits); // Output: ['apple', 'grape', 'banana', 'orange']

Concatenating Two Arrays

If you want to add elements from one array to another, you can use the concat() method. This method merges two or more arrays
and returns a new array containing all the elements.

let fruits = ['apple', 'banana', 'orange'];
let moreFruits = ['grape', 'pineapple'];
let combinedFruits = fruits.concat(moreFruits);
console.log(combinedFruits); // Output: ['apple', 'banana', 'orange', 'grape', 'pineapple']

Conclusion

Adding elements to a JavaScript array is quite simple and can be done using various methods like push(), unshift(),
splice(), and concat(). Each method is useful for different scenarios, and understanding how they work
will make it easier for you to manipulate arrays in your code.