Final answer:
To reverse an array in JavaScript, use the reverse() method, which modifies the original array in place. For a non-destructive approach that keeps the original array intact, create a shallow copy with slice() before using reverse().
Step-by-step explanation:
To reverse the elements in an array in JavaScript, you can use the reverse() method. This method is a built-in function that reverses the order of the elements of an array in place. Here's an example of how you can use it: var myArray = [1, 2, 3, 4, 5]; myArray.reverse(); console.log(myArray); // Outputs: [5, 4, 3, 2, 1]
It's important to note that the reverse() method modifies the original array. If you need to keep the original array intact and create a reversed copy instead, you should first copy the array and then apply reverse(). Here is how you can do it: var originalArray = [1, 2, 3, 4, 5]; var reversedArray = originalArray.slice().reverse(); console.log(reversedArray); // Outputs: [5, 4, 3, 2, 1]. By using the slice() method, you create a shallow copy of the original array before reversing it, thus leaving the original array unchanged.