1. Introduction
In many real-world scenarios, sorting data based on a single field might not suffice. There might be a need to sort based on multiple fields or attributes of an object. Java’s Comparator interface combined with lambda expressions offers a succinct and effective method to accomplish this. This blog post will walk you through sorting a list of objects based on multiple fields using lambda expressions.
2. Program Steps
1. Define a class named Person with attributes name and age.
2. Create a list of Person objects.
3. Use a lambda expression combined with the Comparator interface to sort the list first by name, and then by age for those with the same name.
4. Print the sorted list to verify the results.
3. Code Program
import java.util.Arrays;
import java.util.Comparator;
import java.util.List;
public class LambdaMultipleFieldComparator {
static class Person {
String name;
int age;
public Person(String name, int age) {
this.name = name;
this.age = age;
}
@Override
public String toString() {
return name + "(" + age + ")";
}
}
public static void main(String[] args) {
List<Person> people = Arrays.asList(
new Person("John", 25),
new Person("Alice", 28),
new Person("John", 22),
new Person("Bob", 20)
);
System.out.println("Original list: " + people);
// Sort using lambda-based comparator based on name and then age
people.sort(Comparator.comparing(Person::getName)
.thenComparing(Person::getAge));
System.out.println("Sorted list by name and age: " + people);
}
}
Output:
Original list: [John(25), Alice(28), John(22), Bob(20)] Sorted list by name and age: [Alice(28), Bob(20), John(22), John(25)]
4. Step By Step Explanation
1. The Person class is defined with attributes name and age. We also override the toString() method to make the output more readable.
2. A list of Person objects is initialized with various names and ages.
3. To sort by multiple fields, the comparing() method of the Comparator interface is first used with the getName method reference. This will sort the list based on the name of the Person. The thenComparing() method is chained to the previous comparator to further sort based on age if the names are identical.
4. The lambda is then applied to the sort() method of the List interface to sort the list of people.
5. Both the original and sorted lists are printed, and the output clearly showcases the multi-field sorting in action.
The power of lambda expressions with the Comparator interface is evident in how effortlessly and efficiently we can implement complex sorting logic.