How to useslice() Method in Javascript

The slice() method is an array method in JavaScript that returns a shallow copy of a portion of an array into a new array. When called without any arguments, it can be used to copy the entire array.

Syntax:

const copiedArray = originalArray.slice();

Example: In this example, we will see the use of the slice() Method.

Javascript
const originalArray = [1, 2, 3, 4, 5];
const copiedArray = originalArray.slice();

// Output: [1, 2, 3, 4, 5]
console.log(copiedArray); 

Output
[ 1, 2, 3, 4, 5 ]

Copy Array Items into Another Array in JavaScript

We will see how to copy array items into another array in JavaScript. This operation is valuable when you need to generate a new array containing either identical or a subset of elements from an original array.

These are the following ways to solve this problem:

Table of Content

  • Using the Spread Operator (…)
  • Using slice() Method
  • Using apply() Method
  • Using Array.concat() Method
  • Using push() Method
  • Using map() Method

Similar Reads

Approaches 1: Using the Spread Operator (…)

The spread operator (…) is a concise syntax introduced in ES6 that allows us to expand iterable objects, like arrays, into individual elements. To copy an array using the spread operator, you simply spread the elements of the original array into a new array literal....

Approach 2: Using slice() Method

The slice() method is an array method in JavaScript that returns a shallow copy of a portion of an array into a new array. When called without any arguments, it can be used to copy the entire array....

Approach 3: Using apply() Method

The apply() method is an older approach to copying an array, but it is less commonly used compared to the spread operator and slice() method. The apply() method calls a function with a given value and an array of arguments. To copy an array using apply(), you can use the concat() method along with apply() to concatenate the elements of the original array into a new array....

Approach 4: Using Array.concat() Method

This approach concatenates the source array with an empty array using the Array.prototype.concat() method, which returns a new array with all the elements....

Approach 5: Using push() Method

In JavaScript, to copy array items into another array using the push method, iterate over the given array and use push to add each item to our result array...

Approach 6: Using map() Method

JavaScript map method can be used to copy array items into another array. By applying a callback function that returns the original item, a new array is created with copied items,...

Contact Us