The slice() method allows you to copy a specific portion of an array. It creates a new array containing only the selected elements.
- It takes a start index and an end index to decide which elements to extract.
- The element at the end index is not included in the result.
- It performs a non-destructive operation, so the original array is not changed.
let fruits = ["Apple", "Banana", "Mango", "Orange", "Grapes"];
let slicedFruits = fruits.slice(1, 4);
console.log(slicedFruits);
Syntax:
arr.slice(begin, end);Parameters:
- begin: This parameter defines the starting index from where the portion is to be extracted. If this argument is missing then the method takes begin as 0 as it is the default start value.
- end: Parameter specifying the end index for extracting a portion from an array, defaulting to array length if undefined, adjusting for exceeding length.
Return value:
This method returns a new array containing some portion of the original array.
[Example 1]: Extracting elements between two indexes
function func() {
// Original Array
let arr = [23, 56, 87, 32, 75, 13];
// Extracted array
let new_arr = arr.slice(2, 4);
console.log(arr);
console.log(new_arr);
}
func();
- The slice() method is used to extract a portion of an array.
- It starts extracting elements from index 2.
- It includes all elements before index 4.
- Elements at index 2 and 3 are included in the result.
[Example 2]: Passing no arguments
function func() {
//Original Array
let arr = [23, 56, 87, 32, 75, 13];
//Extracted array
let new_arr = arr.slice();
console.log(arr);
console.log(new_arr);
}
func();
- The slice() method is called without any arguments.
- It extracts the entire string.
- All characters are included in the result.
- A new copy of the original string is returned.
[Example 3]: Extracting array from index 2
function func() {
//Original Array
let arr = [23, 56, 87, 32, 75, 13];
//Extracted array
let new_arr = arr.slice(2);
console.log(arr);
console.log(new_arr);
}
func();
- The slice() method starts extracting from index 2.
- It continues till the end of the array.
- All elements from index 2 onward are included.
- The extracted elements are returned as a new array.
[Example 4]: Slicing the nested Array
function func() {
// Original Array
let arr = [23, [87, 32, 75, 27,3,10,18 ,13]];
// Extracted array
let new_arr = arr[1].slice(2, 4);
console.log(arr);
console.log(new_arr);
}
func();
- The slice() method is applied to a nested array.
- It extracts specific elements from the array.
- The selected elements are copied into a new array.
- The original nested array remains unchanged.