JavaScript - Array & Methods

D

Dharshini E

Guest
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:

Code:
let fruits = ["Apple", "Banana", "Mango"];
console.log(fruits[0]); // Apple
console.log(fruits[2]); // Mango

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:

Code:
let fruits = ["Apple", "Banana"];
fruits.push("Mango"); 
console.log(fruits); // ["Apple", "Banana", "Mango"]
  1. pop() : Remove item from the end example:

Code:
fruits.pop();
console.log(fruits); // ["Apple", "Banana"]
  1. shift() : Remove item from the beginning. example:

Code:
fruits.shift();
console.log(fruits); // ["Apple", "Banana"]

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


Code:
console.log(fruits.length); // 2
  1. indexOf() : Find the position of an element. example:

Code:
console.log(fruits.indexOf("Banana")); // 1

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


Code:
console.log(fruits.includes("Apple")); // true

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


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

Continue reading...
 


Join 𝕋𝕄𝕋 on Telegram
Channel PREVIEW:
Back
Top