DEV Community

Dharshini E
Dharshini E

Posted on

JavaScript - Array & Methods

1.What is an Array in JavaScript?
An array is a special type of object that can hold multiple values under a single name, and each value isstored at an index.

  • Index starts at 0.
  • You can store numbers, strings,objects, or even other arrays inside an array. example:
let fruits = ["Apple", "Banana", "Mango"];
console.log(fruits[0]); // Apple
console.log(fruits[2]); // Mango
Enter fullscreen mode Exit fullscreen mode

2.What are Array Methods in JavaScript?
In JavaScript, array methods are built-in functionsthat you can use on arrays to perform common tasks.

Methods:

  1. push() : Add item at the end. example:
let fruits = ["Apple", "Banana"];
fruits.push("Mango"); 
console.log(fruits); // ["Apple", "Banana", "Mango"]
Enter fullscreen mode Exit fullscreen mode
  1. pop() : Remove item from the end example:
fruits.pop();
console.log(fruits); // ["Apple", "Banana"]
Enter fullscreen mode Exit fullscreen mode
  1. shift() : Remove item from the beginning. example:
fruits.shift();
console.log(fruits); // ["Apple", "Banana"]
Enter fullscreen mode Exit fullscreen mode

4.length :
Get the size of the array.
example:

console.log(fruits.length); // 2
Enter fullscreen mode Exit fullscreen mode
  1. indexOf() : Find the position of an element. example:
console.log(fruits.indexOf("Banana")); // 1
Enter fullscreen mode Exit fullscreen mode

6.includes() :
Check if an element exists.
example:

console.log(fruits.includes("Apple")); // true
Enter fullscreen mode Exit fullscreen mode

7.splice() :
Add/Remove elements (changes original array).
example:

nums.splice(2, 1); 
console.log(nums); // [1, 2, 4, 5]

Enter fullscreen mode Exit fullscreen mode

Top comments (0)