赞
踩
今天刷题时需要用到二维数组的排序,奈何一下想不起具体的写法了,那就浅浅复习总结一下吧,加深一下自己的印象。
主要可以分为三种写法:
1.运用Comparator的常规写法,例如:
- int[][] intervals = {{2,3},{2,9},{4,5},{3,7},{6,7},{8,9},{1,10}};
- Arrays.sort(intervals, new Comparator<int[]>() {
- @Override
- public int compare(int[] o1, int[] o2) {
- if(o1[0]==o2[0]){
- return o1[1] - o2[1];
- }
- return o1[0] - o2[0];
- }
- });
上述代码提到的的o1和o2可以理解为二维数组中的任意两个一维子数组,其中o1[0]与o2[0]即为两个子数组各自第一个元素。返回值中o1[x] - o2[x] 表示升序排列,o2[x] - o1[x] 表示降序排列,x即为按照一维子数组的x索引元素进行排列。
所以以上代码可以这样理解:将一维子数组按第0个元素进行升序排列,如果第零个元素相等,则按第一个元素升序排列。于是不难理解程序的结果如下:
- 1 10
- 2 3
- 2 9
- 3 7
- 4 5
- 6 7
- 8 9
另外两个方法是对此方法的简写,理解方式没有差异。
2、使用Lambda表达式的方式对Comparator比较器进行简写(注意要求在JDK1.8以上使用)
- Arrays.sort(intervals, (o1, o2) -> {
- return o1[2] - o2[2];
- });
3、使用Comparator.comparingInt()方法
Arrays.sort(intervals, Comparator.comparingInt(o -> o[2]));
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。