-
Notifications
You must be signed in to change notification settings - Fork 20
/
Copy pathPriority Queue
111 lines (51 loc) · 1.94 KB
/
Priority Queue
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
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
Best Explanation for arranging elements according to user defined priority in Java defined Priority Queue
Source of below explanation: http://stackoverflow.com/questions/683041/java-how-do-i-use-a-priorityqueue
Use the constructor overload which takes a Comparator<? super E> comparator and pass in a comparator
which compares in the appropriate way for your sort order. If you give an example of how you want to sort,
we can provide some sample code to implement the comparator if you're not sure. (It's pretty
straightforward though.)
As has been said elsewhere: offer and add are just different interface method implementations.
In the JDK source I've got, add calls offer. Although add and offer have potentially different
behaviour in general due to the ability for offer to indicate that the value can't be added due
to size limitations, this difference is irrelevant in PriorityQueue which is unbounded.
Here's an example of a priority queue sorting by string length:
package Demo;
//Test.java
import java.util.Comparator;
import java.util.PriorityQueue;
public class Test
{
public static void main(String[] args)
{
Comparator<String> comparator = (Comparator<String>) new StringLengthComparator();
PriorityQueue<String> queue = new PriorityQueue<String>(10, comparator);
queue.add("short");
queue.add("very long indeed");
queue.add("medium");
while (queue.size() != 0)
{
System.out.println(queue.remove());
}
}
}
package Demo;
//StringLengthComparator.java (new java file)
import java.util.Comparator;
public class StringLengthComparator implements Comparator<String>
{
@Override
public int compare(String x, String y)
{
// Assume neither string is null. Real code should
// probably be more robust
if (x.length() < y.length())
{
return -1;
}
if (x.length() > y.length())
{
return 1;
}
return 0;
}
}