-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathDefaultsMethodsExample2.java
81 lines (63 loc) · 2.72 KB
/
DefaultsMethodsExample2.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
package com.learn.defaults;
import com.learn.data.Student;
import com.learn.data.StudentDataBase;
import java.util.Comparator;
import java.util.List;
import java.util.function.Consumer;
public class DefaultsMethodsExample2 {
static Consumer<Student> studentConsumer = System.out::println;
static Comparator<Student> nameComparator = Comparator.comparing(Student::getName);
static Comparator<Student> gpaComparator = Comparator.comparingDouble(Student::getGpa);
static Comparator<Student> gradeComparator = Comparator.comparingInt(Student::getGradeLevel);
public static void main(String[] args) {
List<Student> studentList = StudentDataBase.getAllStudents();
System.out.println("Before Sorting");
studentList.forEach(studentConsumer);
sortByName(studentList);
sortByGpa(studentList);
comparatorChain(studentList);
sortWithNullValues(studentList);
}
public static void sortByName(List<Student> studentList) {
System.out.println("Sorting By using name");
studentList.sort(nameComparator);
studentList.forEach(studentConsumer);
}
public static void sortByGpa(List<Student> studentList) {
System.out.println("Sorting By using GPA");
studentList.sort(gpaComparator);
studentList.forEach(studentConsumer);
}
/**
* thenComparing(): Comparator chaining
* Chaining 2 different comparator operations and then consolidate the result
*/
public static void comparatorChain(List<Student> studentList) {
System.out.println("Comparator Chaining");
// first sort by Grade
// So in Each grade, sort the result by their name.
studentList.sort(gradeComparator.thenComparing(nameComparator));
studentList.forEach(studentConsumer);
}
/**
* If our collection value has null value, but we try to perform sort using comparator.
* It will throw NullPointer Exception
* To handle these scenarios, Comparator has handy method nulls First and nulls last.
*/
public static void sortCollectionHavingWithNull() {
System.out.println("List with Null");
List<Student> studentList = StudentDataBase.getAllStudents();
studentList.add(null);
// comparatorChain(studentList); // throw NPE
}
/**
* nullsFirst() : pushes null value at first
* nullsLast() : null values will be pushed towards the end.
*/
public static void sortWithNullValues(List<Student> studentList) {
studentList.add(null);
Comparator<Student> studentComparator = Comparator.nullsFirst(nameComparator);
studentList.sort(studentComparator);
studentList.forEach(studentConsumer); // prints null first.
}
}