Comparator: Difference between revisions

From NovaOrdis Knowledge Base
Jump to navigation Jump to search
(Created page with "=External= * https://docs.oracle.com/javase/10/docs/api/java/util/Comparator.html =Internal= * Java 8 Lambda Expressions...")
 
No edit summary
Line 8: Line 8:


=Overview=
=Overview=
=Concise Sorting=
Java 8 List has a sort() method that accepts a java.util.Comparator.
java.util.Comparator is a [[Java_8_Lambda_Expressions#Functional_Interface|functional interface]], so we can provide a [[Java_8_Lambda_Expressions#Lambda_Expression|lambda expression]] instead.
java.util.Comparator  comes with static methods that build Comparator instances, so if compare apples by weight, we can write this:
<syntaxhighlight lang='java'>
List<Apple> apples = ...
apples.sort(Comparator.comparing(a -> a.getWeight()));
</syntaxhighlight>
The last form can be compacted even further using [[Java_8_Lambda_Expressions#Method_Reference|method references]]:
<syntaxhighlight lang='java'>
List<Apple> apples = ...
apples.sort(Comparator.comparing(Apple::getWeight));
</syntaxhighlight>

Revision as of 18:36, 26 March 2018

External

Internal

Overview

Concise Sorting

Java 8 List has a sort() method that accepts a java.util.Comparator.

java.util.Comparator is a functional interface, so we can provide a lambda expression instead.

java.util.Comparator comes with static methods that build Comparator instances, so if compare apples by weight, we can write this:

List<Apple> apples = ...
apples.sort(Comparator.comparing(a -> a.getWeight()));

The last form can be compacted even further using method references:

List<Apple> apples = ...
apples.sort(Comparator.comparing(Apple::getWeight));