Array.ReverseThis .NET method inverts the ordering of an array's elements. This task could be accomplished with a for-loop. But Array.Reverse() is more convenient.
The Array.Reverse method is a static method on the Array type. It is simple to use—we need the System namespace. It changes the array.
You should pass one argument to Array.Reverse: the reference to the array you want to reverse. In this example, an integer array is used.
Array.Reverse method is called twice. This reverses the original array, and then reverses the reversed array.using System; // Input array. int[] array = { 1, 2, 3 }; // Print. foreach (int value in array) { Console.WriteLine(value); } Console.WriteLine(); // Reverse. Array.Reverse(array); // Print. foreach (int value in array) { Console.WriteLine(value); } Console.WriteLine(); // Reverse again. Array.Reverse(array); // Print. foreach (int value in array) { Console.WriteLine(value); }1 2 3 3 2 1 1 2 3
Array.Reverse is easier to use than a custom reversal algorithm. Not only does Array.Reverse use optimized logic, but it also makes your program simpler. It is an improvement.
Here we examined the Array.Reverse static method. This method receives an Array type parameter, such as an int array, and reverses the order of the elements in that same array.