I was looking for ways of sorting Map<String, Integer>
by values. I found this post, which solved my sorting problem, but not exactly. According to the post, I wrote the following code:
import java.util.*;
public class Sort {
static class ValueComparator implements Comparator<String> {
Map<String, Integer> base;
ValueComparator(Map<String, Integer> base) {
this.base = base;
}
@Override
public int compare(String a, String b) {
if (base.get(a) >= base.get(b)) {
return 1;
} else {
return -1;
}
}
}
public static void main(String[] args) {
HashMap<String, Integer> map = new HashMap<String, Integer>();
ValueComparator vc = new ValueComparator(map);
TreeMap<String, Integer> sorted = new TreeMap<String, Integer>(vc);
map.put("A", 1);
map.put("B", 2);
sorted.putAll(map);
for (String key : sorted.keySet()) {
System.out.println(key + " : " + sorted.get(key)); // why null values here?
}
System.out.println(sorted.values()); // But we do have non-null values here!
}
}
Output:
A : null
B : null
[1, 2]
BUILD SUCCESSFUL (total time: 0 seconds)
As you can see from the output, the get
method always returns null
. The reason is my ValueComparator.compare()
method never returns 0
, which I've figured out by making this post.
Someone suggested in that post the following to solve the null
value problem:
public int compare(String a, String b) {
if (base.get(a) > base.get(b)) {
return 1;
}else if(base.get(a) == base.get(b)){
return 0;
}
return -1;
}
I've tested this piece of code and it introduces a key merging problem. In other words, when the values are equal their corresponding keys are merged.
I've also tried the following:
public int compare(String a, String b) {
if (a.equals(b)) return 0;
if (base.get(a) >= base.get(b)) {
return 1;
} else return -1;
}
It does not work either. Some of the values are still null
. Besides, this workaround might potentially have logical problems.
Anyone can propose a fully working solution to my problem? I'd like the sort by value function to work and the get
method to work at the same time.
See Question&Answers more detail:
os