This is the example of sorting a byte array in Java. Here we have done two types of sorting 1) complete sorting using sort(byte[] a) method 2) Selective sorting using sort(byte[] a, int fromIndex, int toIndex) method – It sorts the specified range only. Refer comments in the program for more detail.
import java.util.Arrays;
class SortByteArray {
public static void main(String[] args) {
// Creating a Byte Array
byte[] byteArray = new byte[] { 13, 9, 15, 24, 4 };
// Displaying Array before Sorting
System.out.println("**byte Array Before Sorting**");
for (byte temp: byteArray){
System.out.println(temp);
}
// Sorting the Array
Arrays.sort(byteArray);
System.out.println("**byte Array After Sorting**");
for (byte temp: byteArray){
System.out.println(temp);
}
// Another byte Array
byte[] byteArray2 =
new byte[] { 15, 22, 3, 41, 24, 77, 8, 9 };
// Selective Sorting
/* public static void sort(byte[] a, int fromIndex,
* int toIndex): Sorts the specified range of the
* array into ascending order. The range to be sorted
* extends from the index fromIndex, inclusive, to the
* index toIndex, exclusive. If fromIndex == toIndex,
* the range to be sorted is empty.
*/
Arrays.sort(byteArray2, 2, 5);
// Displaying array after selective sorting
System.out.println("**Selective Sorting**");
for (byte temp: byteArray2){
System.out.println(temp);
}
}
}
Output:
**byte Array Before Sorting** 13 9 15 24 4 **byte Array After Sorting** 4 9 13 15 24 **Selective Sorting** 15 22 3 24 41 77 8 9
Leave a Reply