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 arraysinside an array.
example:
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 functions
that you can use on arrays to perform common tasks
.
Methods:
- push() : Add item at the end. example:
let fruits = ["Apple", "Banana"];
fruits.push("Mango");
console.log(fruits); // ["Apple", "Banana", "Mango"]
- pop() : Remove item from the end example:
fruits.pop();
console.log(fruits); // ["Apple", "Banana"]
- shift() : Remove item from the beginning. example:
fruits.shift();
console.log(fruits); // ["Apple", "Banana"]
4.length :
Get the size of the array.
example:
console.log(fruits.length); // 2
- indexOf() : Find the position of an element. example:
console.log(fruits.indexOf("Banana")); // 1
6.includes() :
Check if an element exists.
example:
console.log(fruits.includes("Apple")); // true
7.splice() :
Add/Remove elements (changes original array).
example:
nums.splice(2, 1);
console.log(nums); // [1, 2, 4, 5]
Top comments (0)