[TOC]
概述
Java的Arrays类中有一个sort()方法,该方法是Arrays类的静态方法,在需要对数组进行排序时,非常的好用。下面为大家介绍这几种形式的用法。
Arrays.sort(int[] a)
这种形式是对一个数组的所有元素进行排序,并且是按从小到大的顺序。
1 2 3 4 5 6 7 8 9 10 11 12 13
| public class Test { public static void main(String[] args) {
int[] a = {9, 8, 7, 2, 3, 4, 1, 0, 6, 5}; Arrays.sort(a); for(int i = 0; i < a.length; i ++) { System.out.print(a[i] + " "); } } }
|
Arrays.sort(int[] a, int fromIndex, int toIndex)
1 2 3 4 5 6 7 8 9 10 11 12 13
| public class Test{ public static void main(String[] args) {
int[] a = {9, 8, 7, 2, 3, 4, 1, 0, 6, 5}; Arrays.sort(a, 0, 3); for(int i = 0; i < a.length; i ++) { System.out.print(a[i] + " "); } } }
|
public static <T> void sort(T[] a,int fromIndex, int toIndex, Comparator<? super T> c)
上面1和2中排列顺序只能是从小到大,如果我们要从大到小,就要使用这种方式。
这里涉及到Java的泛型,如果你不是很了解,可以去看博文Java泛型详解,相信看完之后你会有一个了解。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36
| import java.util.Comparator;
public class Test{ public static void main(String[] args) { Integer[] a = {9, 8, 7, 2, 3, 4, 1, 0, 6, 5}; Comparator cmp = new MyComparator(); Arrays.sort(a, cmp); for(int i = 0; i < a.length; i ++) { System.out.print(a[i] + " "); } } }
class MyComparator implements Comparator<Integer>{ @Override public int compare(Integer o1, Integer o2) { if(o1 < o2) { return 1; }else if(o1 > o2) { return -1; }else { return 0; } } }
|