Array.Reverse. This inverts the order of elements. It can act upon an entire array, or just part of an array (a range). It can be used to sort in reverse—simply call Reverse after Sort.
An internal method. Array.Reverse uses an internal, optimized method. It would be hard to develop a faster one in VB.NET code. Usually this built-in is preferred.
An example. Let's begin with this program. The initial array is pointed to by the reference variable a. Then, we reverse that array with Array.Reverse(a). The return value is not used.
Module Module1
Sub Main()
Dim a() As Integer = {1, 4, 6, 10}
For Each v As Integer In a
Console.WriteLine(v)
Next
Console.WriteLine()
' Reverse entire array.
Array.Reverse(a)
For Each v As Integer In a
Console.WriteLine(v)
Next
Console.WriteLine()
' Reverse part of array.
Array.Reverse(a, 0, 2)
For Each v As Integer In a
Console.WriteLine(v)
Next
End Sub
End Module1
4
6
10
10
6
4
1
6
10
4
1
A discussion. The implementation of .NET methods is relevant because it tells us whether they will be efficient. Array.Reverse calls an internal method called TrySZReverse.
Tip This is in unmanaged code. It is likely faster in most situations because of unmanaged optimizations.
Reverse string. With Array.Reverse we can reverse the ordering of chars in a string. We first use ToCharArray to convert a string to a char array.
A summary. We reverse an entire array or only parts (ranges) of an array with Array.Reverse. The type of the elements in the array are not important—they are not sorted or changed.
Dot Net Perls is a collection of pages with code examples, which are updated to stay current. Programming is an art, and it can be learned from examples.
Donate to this site to help offset the costs of running the server. Sites like this will cease to exist if there is no financial support for them.
Sam Allen is passionate about computer languages, and he maintains 100% of the material available on this website. He hopes it makes the world a nicer place.
This page was last updated on Feb 18, 2022 (edit link).