The Can You Name A Class Comparator Java
topic is essential for Java developers seeking to implement custom sorting logic. This comprehensive guide, brought to you by COMPARE.EDU.VN, explores the intricacies of the Comparator interface, providing detailed explanations, practical examples, and expert insights to help you master this powerful tool. If you’re looking for detailed comparison information that enables better decision-making, you will find it here, along with class comparison, and object comparison.
1. Understanding the Comparator Interface in Java
The Comparator interface in Java is a fundamental tool for defining custom sorting orders for objects. Unlike the Comparable interface, which requires a class to define its natural ordering, Comparator allows you to create separate classes that specify different sorting criteria. This flexibility is essential when you need to sort objects in multiple ways or when you don’t have control over the class’s source code.
1.1. What is a Comparator?
A Comparator is an interface in Java that defines a method for comparing two objects. This interface belongs to the java.util
package and is used to sort collections of objects based on custom rules.
It provides a way to sort instances of a class based on different criteria, without modifying the class itself. This is particularly useful when the class does not implement the Comparable
interface or when you need to sort objects in a way that is different from the natural ordering defined by the Comparable
interface.
1.2. Why Use a Comparator?
Using a Comparator offers several advantages:
- Custom Sorting: Sort objects based on any criteria you define.
- Multiple Sorting Orders: Create multiple Comparators for different sorting needs.
- External Sorting Logic: Keep sorting logic separate from the class definition.
- Flexibility: Apply different sorting rules to the same collection of objects.
1.3. The compare()
Method
The heart of the Comparator interface is the compare()
method. This method takes two objects as input and returns an integer value based on their comparison:
- Negative Value: The first object is less than the second object.
- Zero: The first object is equal to the second object.
- Positive Value: The first object is greater than the second object.
Syntax:
public int compare(Object obj1, Object obj2);
1.4. Implementing the Comparator Interface
To use a Comparator, you need to create a class that implements the Comparator interface and provides an implementation for the compare()
method.
Example:
import java.util.Comparator;
class SortByRoll implements Comparator<Student> {
public int compare(Student a, Student b) {
return a.rollno - b.rollno;
}
}
In this example, SortByRoll
is a class that implements the Comparator<Student>
interface. The compare()
method compares two Student
objects based on their rollno
field.
2. Practical Examples of Comparator Implementations
Let’s dive into some practical examples to illustrate how to use Comparators effectively.
2.1. Sorting a List of Students by Roll Number
Consider a Student
class with rollno
and name
fields. You can use a Comparator to sort a list of Student
objects by their roll number.
Code:
import java.util.*;
class Student {
int rollno;
String name;
Student(int rollno, String name) {
this.rollno = rollno;
this.name = name;
}
@Override
public String toString() {
return rollno + ": " + name;
}
}
class SortByRoll implements Comparator<Student> {
public int compare(Student a, Student b) {
return a.rollno - b.rollno;
}
}
public class GFG {
public static void main(String[] args) {
List<Student> students = new ArrayList<>();
students.add(new Student(111, "Mayank"));
students.add(new Student(131, "Anshul"));
students.add(new Student(121, "Solanki"));
students.add(new Student(101, "Aggarwal"));
Collections.sort(students, new SortByRoll());
System.out.println("Sorted by Roll Number");
for (Student student : students) {
System.out.println(student);
}
}
}
Output:
Sorted by Roll Number
101: Aggarwal
111: Mayank
121: Solanki
131: Anshul
2.2. Sorting a List of Strings by Length
You can also use a Comparator to sort a list of strings by their length.
Code:
import java.util.*;
class SortByLength implements Comparator<String> {
public int compare(String a, String b) {
return a.length() - b.length();
}
}
public class Main {
public static void main(String[] args) {
List<String> strings = new ArrayList<>();
strings.add("apple");
strings.add("banana");
strings.add("kiwi");
strings.add("orange");
Collections.sort(strings, new SortByLength());
System.out.println("Sorted by Length");
for (String str : strings) {
System.out.println(str);
}
}
}
Output:
Sorted by Length
kiwi
apple
banana
orange
2.3. Sorting a List of Dates
Sorting dates can be easily achieved using Comparators.
Code:
import java.util.*;
import java.time.LocalDate;
class SortByDate implements Comparator<LocalDate> {
public int compare(LocalDate a, LocalDate b) {
return a.compareTo(b);
}
}
public class Main {
public static void main(String[] args) {
List<LocalDate> dates = new ArrayList<>();
dates.add(LocalDate.of(2024, 1, 1));
dates.add(LocalDate.of(2023, 12, 31));
dates.add(LocalDate.of(2024, 2, 15));
dates.add(LocalDate.of(2023, 11, 1));
Collections.sort(dates, new SortByDate());
System.out.println("Sorted by Date");
for (LocalDate date : dates) {
System.out.println(date);
}
}
}
Output:
Sorted by Date
2023-11-01
2023-12-31
2024-01-01
2024-02-15
3. Sorting Collections with Multiple Fields
Sometimes, you need to sort a collection based on multiple fields. Comparators can handle this scenario as well.
3.1. Sorting Students by Name and Age
Let’s modify the Student
class to include an age
field and sort the list by name first and then by age.
Code:
import java.util.*;
class Student {
String name;
Integer age;
Student(String name, Integer age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public Integer getAge() {
return age;
}
@Override
public String toString() {
return name + " : " + age;
}
}
class CustomerSortingComparator implements Comparator<Student> {
public int compare(Student customer1, Student customer2) {
int NameCompare = customer1.getName().compareTo(customer2.getName());
int AgeCompare = customer1.getAge().compareTo(customer2.getAge());
return (NameCompare == 0) ? AgeCompare : NameCompare;
}
}
public class ComparatorHelperClassExample {
public static void main(String[] args) {
List<Student> students = new ArrayList<>();
students.add(new Student("Ajay", 27));
students.add(new Student("Sneha", 23));
students.add(new Student("Simran", 37));
students.add(new Student("Ankit", 22));
students.add(new Student("Anshul", 29));
students.add(new Student("Sneha", 22));
System.out.println("Original List");
for (Student student : students) {
System.out.println(student);
}
Collections.sort(students, new CustomerSortingComparator());
System.out.println("nAfter Sorting");
for (Student student : students) {
System.out.println(student);
}
}
}
Output:
Original List
Ajay : 27
Sneha : 23
Simran : 37
Ankit : 22
Anshul : 29
Sneha : 22
After Sorting
Ajay : 27
Ankit : 22
Anshul : 29
Simran : 37
Sneha : 22
Sneha : 23
3.2. Using thenComparing()
for Multiple Fields
Java 8 introduced the thenComparing()
method, which simplifies sorting by multiple fields.
Code:
import java.util.*;
class Student {
String name;
Integer age;
Student(String name, Integer age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public Integer getAge() {
return age;
}
@Override
public String toString() {
return name + " : " + age;
}
}
public class ComparatorHelperClassExample {
public static void main(String[] args) {
List<Student> students = new ArrayList<>();
students.add(new Student("Ajay", 27));
students.add(new Student("Sneha", 23));
students.add(new Student("Simran", 37));
students.add(new Student("Ankit", 22));
students.add(new Student("Anshul", 29));
students.add(new Student("Sneha", 22));
System.out.println("Original List:");
for (Student student : students) {
System.out.println(student);
}
students.sort(Comparator.comparing(Student::getName).thenComparing(Student::getAge));
System.out.println("nAfter Sorting:");
for (Student student : students) {
System.out.println(student);
}
}
}
Output:
Original List:
Ajay : 27
Sneha : 23
Simran : 37
Ankit : 22
Anshul : 29
Sneha : 22
After Sorting:
Ajay : 27
Ankit : 22
Anshul : 29
Simran : 37
Sneha : 22
Sneha : 23
4. Lambda Expressions and Comparators
Lambda expressions provide a concise way to create Comparators, especially for simple comparisons.
4.1. Using Lambda for Sorting by Age
Code:
import java.util.*;
class Student {
String name;
Integer age;
Student(String name, Integer age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public Integer getAge() {
return age;
}
@Override
public String toString() {
return name + " : " + age;
}
}
public class Main {
public static void main(String[] args) {
List<Student> students = new ArrayList<>();
students.add(new Student("Ajay", 27));
students.add(new Student("Sneha", 23));
students.add(new Student("Simran", 37));
students.add(new Student("Ankit", 22));
students.add(new Student("Anshul", 29));
students.add(new Student("Sneha", 22));
System.out.println("Original List:");
for (Student student : students) {
System.out.println(student);
}
students.sort((p1, p2) -> Integer.compare(p1.age, p2.age));
System.out.println("nSorted by Age:");
for (Student student : students) {
System.out.println(student);
}
}
}
Output:
Original List:
Ajay : 27
Sneha : 23
Simran : 37
Ankit : 22
Anshul : 29
Sneha : 22
Sorted by Age:
Ankit : 22
Sneha : 22
Sneha : 23
Ajay : 27
Anshul : 29
Simran : 37
4.2. Combining Lambda and thenComparing()
You can combine lambda expressions with thenComparing()
for complex sorting logic.
Code:
import java.util.*;
class Student {
String name;
Integer age;
Student(String name, Integer age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public Integer getAge() {
return age;
}
@Override
public String toString() {
return name + " : " + age;
}
}
public class Main {
public static void main(String[] args) {
List<Student> students = new ArrayList<>();
students.add(new Student("Ajay", 27));
students.add(new Student("Sneha", 23));
students.add(new Student("Simran", 37));
students.add(new Student("Ankit", 22));
students.add(new Student("Anshul", 29));
students.add(new Student("Sneha", 22));
System.out.println("Original List:");
for (Student student : students) {
System.out.println(student);
}
students.sort(Comparator.comparing(Student::getName).thenComparing((p1, p2) -> Integer.compare(p1.age, p2.age)));
System.out.println("nSorted by Name then Age:");
for (Student student : students) {
System.out.println(student);
}
}
}
Output:
Original List:
Ajay : 27
Sneha : 23
Simran : 37
Ankit : 22
Anshul : 29
Sneha : 22
Sorted by Name then Age:
Ajay : 27
Ankit : 22
Anshul : 29
Simran : 37
Sneha : 22
Sneha : 23
5. Comparator vs. Comparable: Key Differences
Understanding the difference between Comparator and Comparable is crucial for effective sorting.
Feature | Comparator | Comparable |
---|---|---|
Sorting Logic Location | Defined externally | Defined within the class |
Multiple Sorting Orders | Supported | Not supported |
Interface Methods | compare() |
compareTo() |
Functional Interface | Yes | No |
Usage | Flexible and reusable | Simple and tightly coupled |
- Comparable: Defines the natural ordering of a class.
- Comparator: Defines a custom ordering that is external to the class.
6. Best Practices for Using Comparators
Follow these best practices to ensure efficient and maintainable Comparator implementations:
- Keep it Simple: Write concise and readable
compare()
methods. - Handle Nulls: Implement null checks to avoid
NullPointerException
errors. - Use
thenComparing()
: LeveragethenComparing()
for multi-field sorting. - Consider Lambda: Use lambda expressions for simple, inline Comparators.
- Test Thoroughly: Test your Comparators with various input scenarios.
7. Common Mistakes to Avoid
- Not Handling Nulls: Failing to check for null values can lead to runtime errors.
- Inconsistent Comparisons: Ensure your
compare()
method provides consistent results. - Ignoring Edge Cases: Test your Comparators with empty or single-element collections.
- Overcomplicating Logic: Keep the comparison logic as simple as possible.
8. Advanced Comparator Techniques
8.1. Using Comparator.nullsFirst()
and Comparator.nullsLast()
These methods provide a way to handle null values in a specific order.
Code:
import java.util.*;
public class Main {
public static void main(String[] args) {
List<String> strings = new ArrayList<>();
strings.add("apple");
strings.add(null);
strings.add("banana");
strings.add(null);
strings.add("kiwi");
Comparator<String> nullsFirst = Comparator.nullsFirst(String::compareTo);
Collections.sort(strings, nullsFirst);
System.out.println("Nulls First: " + strings);
strings.clear();
strings.add("apple");
strings.add(null);
strings.add("banana");
strings.add(null);
strings.add("kiwi");
Comparator<String> nullsLast = Comparator.nullsLast(String::compareTo);
Collections.sort(strings, nullsLast);
System.out.println("Nulls Last: " + strings);
}
}
Output:
Nulls First: [null, null, apple, banana, kiwi]
Nulls Last: [apple, banana, kiwi, null, null]
8.2. Using Comparator.reverseOrder()
This method returns a Comparator that imposes the reverse of the natural ordering.
Code:
import java.util.*;
public class Main {
public static void main(String[] args) {
List<Integer> numbers = new ArrayList<>();
numbers.add(10);
numbers.add(5);
numbers.add(20);
numbers.add(15);
Collections.sort(numbers, Comparator.reverseOrder());
System.out.println("Reverse Order: " + numbers);
}
}
Output:
Reverse Order: [20, 15, 10, 5]
9. Real-World Applications of Comparators
Comparators are widely used in various real-world applications.
9.1. Sorting Data in Databases
When fetching data from a database, you can use Comparators to sort the results based on specific criteria.
9.2. Sorting Search Results
Search engines use Comparators to sort search results based on relevance, date, or other factors.
9.3. Sorting Data in User Interfaces
In user interfaces, Comparators are used to sort data in tables, lists, and other widgets.
10. Frequently Asked Questions (FAQs) About Java Comparators
Here are some common questions about using Comparators in Java:
1. Can I use a Comparator with an array?
Yes, you can use Arrays.sort()
with a Comparator to sort an array.
2. How do I sort a list in descending order using a Comparator?
You can use Comparator.reverseOrder()
or reverse the logic in your compare()
method.
3. Can I use a Comparator with a TreeSet
or TreeMap
?
Yes, you can provide a Comparator to the constructor of TreeSet
and TreeMap
to define the sorting order.
4. What happens if the compare()
method returns inconsistent results?
Inconsistent results can lead to unpredictable behavior and may violate the contract of the Comparator
interface.
5. Can I use multiple thenComparing()
calls?
Yes, you can chain multiple thenComparing()
calls to sort by multiple fields.
6. Is it possible to sort a list of null values using a Comparator?
Yes, by using Comparator.nullsFirst()
or Comparator.nullsLast()
to handle null values.
7. What is the difference between compare()
and compareTo()
?
compare()
is a method of the Comparator
interface, while compareTo()
is a method of the Comparable
interface.
8. How do I handle different data types in a Comparator?
You can use appropriate comparison methods for each data type, such as Integer.compare()
or String.compareTo()
.
9. Can I use a Comparator to sort a list of custom objects?
Yes, you can define a Comparator that compares instances of your custom class based on the criteria you define.
10. What are the performance considerations when using Comparators?
The performance depends on the complexity of the compare()
method and the size of the collection being sorted.
11. The Benefits of Using COMPARE.EDU.VN for Decision-Making
At COMPARE.EDU.VN, we understand the challenges of making informed decisions. That’s why we provide comprehensive and objective comparisons to help you choose the best options for your needs.
11.1. Objectivity and Transparency
We are committed to providing unbiased information, ensuring that our comparisons are fair and transparent. Our team of experts meticulously analyzes each product, service, or idea to present you with accurate and reliable data.
11.2. Detailed Analysis
Our comparisons go beyond surface-level features. We delve into the details, examining the pros and cons of each option, so you can make a well-informed decision.
11.3. User Reviews and Ratings
We incorporate user reviews and ratings to give you a balanced perspective. Hearing from others who have experience with the products or services you’re considering can provide valuable insights.
11.4. Side-by-Side Comparisons
Our side-by-side comparisons make it easy to see the differences between options. This visual representation helps you quickly identify the best choice for your specific requirements.
11.5. Expert Recommendations
Our team of experts provides recommendations based on their in-depth knowledge and analysis. These recommendations can guide you towards the best solution for your needs.
12. How to Make the Most of COMPARE.EDU.VN
To get the most out of COMPARE.EDU.VN, follow these tips:
- Explore Different Categories: Browse our extensive range of comparison categories to find the information you need.
- Read Detailed Reviews: Take the time to read our detailed reviews to understand the nuances of each option.
- Compare Side-by-Side: Use our side-by-side comparison tool to quickly evaluate the key differences between options.
- Check User Reviews: Pay attention to user reviews to get real-world perspectives.
- Consider Expert Recommendations: Use our expert recommendations as a starting point for your decision-making process.
13. Conclusion: Empowering Your Decisions with Comparators
Mastering the Comparator interface in Java is essential for any developer who needs to implement custom sorting logic. By understanding the concepts, exploring practical examples, and following best practices, you can leverage Comparators to create efficient and maintainable sorting solutions.
Remember, when faced with multiple options, COMPARE.EDU.VN is here to help. Our comprehensive comparisons provide you with the information you need to make informed decisions and choose the best solutions for your needs.
Ready to make smarter choices? Visit COMPARE.EDU.VN today and start comparing Address: 333 Comparison Plaza, Choice City, CA 90210, United States. Whatsapp: +1 (626) 555-9090.
Leverage the power of informed decisions with compare.edu.vn, where every comparison is crafted to bring you clarity. Discover more and make your best choice today!
14. Optimize Comparator with Primitive Types in Java
Using primitive types instead of their wrapper classes (e.g., int
instead of Integer
) can reduce overhead, especially in large datasets. Let’s explore how to optimize Comparators using primitive types.
14.1 Sorting Int Arrays Using Custom Comparator
Java does not directly support Comparator for primitive arrays, we need to perform manual operation
Code:
import java.util.Arrays;
public class PrimitiveComparator {
public static void main(String[] args) {
int[] numbers = {5, 2, 8, 1, 9, 4};
// Sort the int array in ascending order
Arrays.sort(numbers);
System.out.println("Sorted array in ascending order: " + Arrays.toString(numbers));
// Sort the int array in descending order
// Java doesn't directly support reverse sorting for primitive arrays with Comparators
// You would typically need to use Integer[] for direct Comparator usage or implement manual swapping
// For descending order with primitive array, manually reverse the array after sorting
Arrays.sort(numbers); // First sort in ascending order
reverseArray(numbers); // Then reverse the sorted array
System.out.println("Sorted array in descending order: " + Arrays.toString(numbers));
}
// Utility method to reverse an int array
public static void reverseArray(int[] arr) {
int start = 0;
int end = arr.length - 1;
while (start < end) {
int temp = arr[start];
arr[start] = arr[end];
arr[end] = temp;
start++;
end--;
}
}
}
Output:
Sorted array in ascending order: [1, 2, 4, 5, 8, 9]
Sorted array in descending order: [9, 8, 5, 4, 2, 1]
14.2 Manual Comparison for Primitive Types
When using primitive types, use direct comparison operators (<
, >
, ==
) rather than methods like Integer.compare()
. This avoids unnecessary method calls and autoboxing.
Code:
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
public class PrimitiveTypeComparator {
public static void main(String[] args) {
List<Integer> numbers = new ArrayList<>();
numbers.add(5);
numbers.add(2);
numbers.add(8);
numbers.add(1);
numbers.add(9);
numbers.add(4);
// Sorting using direct comparison for primitive types
Collections.sort(numbers, (a, b) -> (a < b) ? -1 : ((a == b) ? 0 : 1));
System.out.println("Sorted numbers in ascending order: " + numbers);
}
}
Output:
Sorted numbers in ascending order: [1, 2, 4, 5, 8, 9]
15. Functional Interfaces and Comparators
Functional interfaces, introduced in Java 8, provide a powerful way to define and use Comparators.
15.1. Using java.util.function.Function
The Function
interface can be used to extract a specific property from an object and then compare objects based on that property.
Code:
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.function.Function;
class Person {
private String name;
private int age;
public Person(String name, int age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public int getAge() {
return age;
}
@Override
public String toString() {
return "Person{" +
"name='" + name + ''' +
", age=" + age +
'}';
}
}
public class FunctionalInterfaceComparator {
public static void main(String[] args) {
List<Person> people = new ArrayList<>();
people.add(new Person("Alice", 30));
people.add(new Person("Bob", 25));
people.add(new Person("Charlie", 35));
// Using Function to compare by age
Function<Person, Integer> ageExtractor = Person::getAge;
Comparator<Person> ageComparator = Comparator.comparing(ageExtractor);
Collections.sort(people, ageComparator);
System.out.println("Sorted by age: " + people);
// Using Function to compare by name
Function<Person, String> nameExtractor = Person::getName;
Comparator<Person> nameComparator = Comparator.comparing(nameExtractor);
Collections.sort(people, nameComparator);
System.out.println("Sorted by name: " + people);
}
}
Output:
Sorted by age: [Person{name='Bob', age=25}, Person{name='Alice', age=30}, Person{name='Charlie', age=35}]
Sorted by name: [Person{name='Alice', age=30}, Person{name='Bob', age=25}, Person{name='Charlie', age=35}]
15.2. Combining Functions and Comparators
You can combine multiple Function
instances with thenComparing()
to create complex sorting logic.
Code:
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.function.Function;
class Person {
private String name;
private int age;
private String city;
public Person(String name, int age, String city) {
this.name = name;
this.age = age;
this.city = city;
}
public String getName() {
return name;
}
public int getAge() {
return age;
}
public String getCity() {
return city;
}
@Override
public String toString() {
return "Person{" +
"name='" + name + ''' +
", age=" + age +
", city='" + city + ''' +
'}';
}
}
public class CombinedFunctionComparator {
public static void main(String[] args) {
List<Person> people = new ArrayList<>();
people.add(new Person("Alice", 30, "New York"));
people.add(new Person("Bob", 25, "Los Angeles"));
people.add(new Person("Charlie", 35, "Chicago"));
people.add(new Person("Alice", 25, "Chicago"));
// Sort by name, then by age, then by city
Function<Person, String> nameExtractor = Person::getName;
Function<Person, Integer> ageExtractor = Person::getAge;
Function<Person, String> cityExtractor = Person::getCity;
Comparator<Person> combinedComparator = Comparator.comparing(nameExtractor)
.thenComparing(ageExtractor)
.thenComparing(cityExtractor);
Collections.sort(people, combinedComparator);
System.out.println("Sorted by name, age, and city: " + people);
}
}
Output:
Sorted by name, age, and city: [Person{name='Alice', age=25, city='Chicago'}, Person{name='Alice', age=30, city='New York'}, Person{name='Bob', age=25, city='Los Angeles'}, Person{name='Charlie', age=35, city='Chicago'}]
16. Implementing a Case-Insensitive String Comparator in Java
Case-insensitive string comparison is a common requirement in many applications. Let’s explore how to create a Comparator that ignores case when comparing strings.
16.1. Using String.CASE_INSENSITIVE_ORDER
Java provides a built-in Comparator for case-insensitive string comparison through String.CASE_INSENSITIVE_ORDER
.
Code:
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
public class CaseInsensitiveComparator {
public static void main(String[] args) {
List<String> strings = new ArrayList<>();
strings.add("Apple");
strings.add("banana");
strings.add("Orange");
strings.add("apple");
// Using String.CASE_INSENSITIVE_ORDER
Collections.sort(strings, String.CASE_INSENSITIVE_ORDER);
System.out.println("Sorted case-insensitively: " + strings);
}
}
Output:
Sorted case-insensitively: [Apple, apple, banana, Orange]
16.2. Implementing a Custom Case-Insensitive Comparator
You can also create your own case-insensitive Comparator using String.compareToIgnoreCase()
.
Code:
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
public class CustomCaseInsensitiveComparator {
public static void main(String[] args) {
List<String> strings = new ArrayList<>();
strings.add("Apple");
strings.add("banana");
strings.add("Orange");
strings.add("apple");
// Custom case-insensitive comparator
Comparator<String> caseInsensitiveComparator = (s1, s2) -> s1.compareToIgnoreCase(s2);
Collections.sort(strings, caseInsensitiveComparator);
System.out.println("Sorted case-insensitively: " + strings);
}
}
Output:
Sorted case-insensitively: [Apple, apple, banana, Orange]
17. Implementing a Null-Safe Comparator in Java
Handling null values gracefully is essential when using Comparators. Let’s explore how to create a null-safe Comparator.
17.1. Using Comparator.nullsFirst()
and Comparator.nullsLast()
These methods allow you to specify whether null values should be sorted first or last.
Code:
import java.util.ArrayList