在 Java 中使用 stream.orted() 对列表进行排序
Dhruvdeep Singh Saini
2023年1月30日
2022年5月1日
本教程将详细介绍 Java 中的 Stream API 提供的 stream sorted()
方法。
在 Java 中使用 Stream sorted()
对列表进行排序
Java 提供流 API 以便于处理其集合中的对象。流从输入/输出或列表中获取输入以提供结果,而无需修改原始数据结构。
Stream sorted()
返回一个元素流,按照输入的自然顺序排序。这种方法对有序流很有帮助,但对无序流给出了不稳定的结果,需要进一步调整。
语法:
Stream <Interface> sorted()
这是一个简单的代码示例。
import java.util.*;
public class StreamSorting
{
public static void main(String[] args)
{ //List of first 5 positive and even integers
List<Integer> MyList = Arrays.asList(10, 2, 6, 8, 4);
System.out.println("Stream Sorted returns: ");
//List to stream, sorting, and printing
MyList.stream().sorted().forEach(System.out::println);
}
}
输出:
Stream Sorted returns:
2
4
6
8
10
在 Java 中使用 Stream sorted()
对列表进行倒序排序
我们还可以提供排序发生的顺序。要以相反的顺序获取输出或排序的流,请通过告诉比较器使用相反的顺序在 sorted 方法中指定它。
语法:
.sorted(Comparator.reverseOrder())
定义类后,指定如何比较类的两个对象,
语法:
Stream<Interface>sorted(Comparator<?Super Interface>comparator)
定义比较器后,使用以下语法打印列表。
MyList.stream().sorted((obj1,obj2)-> obj1.getItem().getValue().compareTo(obj2.getItem().getValue())).forEach(System.out::println);
下面是一个以相反顺序排序的流的示例。
import java.util.*;
public class StreamCompareToExample
{
//Main functions
public static void main(String[] args)
{
//Creating list
List<coordinate> MyList = new ArrayList<>();
//Adding objects to list
MyList.add(new coordinate(20, 200));
MyList.add(new coordinate(30, 300));
MyList.add(new coordinate(10, 100));
MyList.add(new coordinate(40, 400));
//List to stream, sorting two points P1, P2
//a in P1 is compared to a of P2, sorted, and then printed
MyList.stream().sorted((p1, p2)->p1.a.compareTo(p2.a)).forEach(System.out::println);
}
}
//A class of coordinate point objects
class coordinate
{
Integer a, b;
coordinate(Integer a, Integer b)
{
this.a = a;
this.b = b;
}
public String toString() {
return this.a + ", "+ this.b;
}
}
输出:
10, 100
20, 200
30, 300
40, 400