我想将seq1升序和seq2降序排序,所以我这样做:
list = list.stream().sorted(comparing(AClass::getSeq1).thenComparing(
AClass::getSeq2).reversed()).collect(toList());
但是结果出来了,因为seq1和seq2都按降序排序。
我可以这样做以使seq1升序和seq2降序:
sorted(comparing(AClass::getSeq1)
.reversed().thenComparing(AClass::getSeq2).reversed()
这样做的确切方法是什么?
答案 0 :(得分:36)
在您的第一个示例中,reversed
应用于整个比较器,该比较器按升序比较seq1和seq2。
您需要的是仅反转第二次比较,例如,可以通过以下方式完成:
import static java.util.Collections.reverseOrder;
import static java.util.Comparator.comparing;
list = list.stream().sorted(
comparing(AClass::getSeq1)
.thenComparing(reverseOrder(comparing(AClass::getSeq2))))
.collect(toList());
//or you could also write:
list = list.stream().sorted(
comparing(AClass::getSeq1)
.thenComparing(comparing(AClass::getSeq2).reversed()))
.collect(toList());