xxxxxxxxxx
var arr = [1,2,3,4];
arr.reverse();
console.log(arr);
xxxxxxxxxx
var arr = [1, 2, 3, 4];
for (let i = 0; i < Math.floor(arr.length / 2); i++) {
[arr[i], arr[arr.length - 1 - i]] = [arr[arr.length - 1 - i], arr[i]];
}
console.log(arr);
xxxxxxxxxx
const array1 = ['one', 'two', 'three'];
console.log('array1:', array1);
// expected output: "array1:" Array ["one", "two", "three"]
const reversed = array1.reverse();
console.log('reversed:', reversed);
// expected output: "reversed:" Array ["three", "two", "one"]
// Careful: reverse is destructive -- it changes the original array.
console.log('array1:', array1);
// expected output: "array1:" Array ["three", "two", "one"]
xxxxxxxxxx
// reversing an array in javascript is kinda hard. you can't index -1.
// but i can show how you can do it in 4 lines.
var myArray = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10];
for (var i = myArray.length - 1; i > 0; i -= 1) {
myArray.shift();
myArray.push(i);
}
console.log(myArray); // output: [10, 9, 8, 7, 6, 5, 4, 3, 2, 1]
xxxxxxxxxx
#The original array
arr = [11, 22, 33, 44, 55]
print("Array is :",arr)
res = arr[::-1] #reversing using list slicing
print("Resultant new reversed array:",res)
xxxxxxxxxx
numArr.reverse();
strArr.reverse();
console.log(numArr);
console.log(strArr);
xxxxxxxxxx
int[] xr = {1, 2, 3, 4, 5};
System.out.print("[");
for (int i = xr.length - 1; i >= 0; i--) {
System.out.print(xr[i] + ", ");
}
System.out.println("\b\b]");
}