TreeMap默认是升序的,如果我们需要改变排序方式,则需要使用比较器:Comparator。
Comparator可以对集合对象或者数组进行排序的比较器接口,实现该接口的public compare(T o1,To2)
方法即可实现排序,该方法主要是根据第一个参数o1,小于、等于或者大于o2分别返回负整数、0或者正整数。如下:
public class TreeMapTest {
public static void main(String[] args) {
Map map = new TreeMap(
new Comparator() {
public int compare(String obj1, String obj2) {
// 降序排序
return obj2.compareTo(obj1);
}
});
map.put("c", "ccccc");
map.put("a", "aaaaa");
map.put("b", "bbbbb");
map.put("d", "ddddd");
Set keySet = map.keySet();
Iterator iter = keySet.iterator();
while (iter.hasNext()) {
String key = iter.next();
System.out.println(key + ":" + map.get(key));
}
}
}
结果:
d:ddddd
c:ccccc
b:bbbbb
a:aaaaa
上面例子是对根据TreeMap的key值来进行排序的,但是有时我们需要根据TreeMap的value来进行排序。对value排序我们就需要借助于Collections的sort(List
public class TreeMapTest {
public static void main(String[] args) {
Map map = new TreeMap();
map.put("d", "ddddd");
map.put("b", "bbbbb");
map.put("a", "aaaaa");
map.put("c", "ccccc");
//这里将map.entrySet()转换成list
List> list = new ArrayList>(map.entrySet());
//然后通过比较器来实现排序
Collections.sort(list,new Comparator>() {
//升序排序
public int compare(Entry o1,
Entry o2) {
return o1.getValue().compareTo(o2.getValue());
}
});
for(Map.Entry mapping:list){
System.out.println(mapping.getKey()+":"+mapping.getValue());
}
}
}
运行结果
a:aaaaa
b:bbbbb
c:ccccc
d:ddddd
我们都是HashMap的值是没有顺序的,他是按照key的HashCode来实现的。对于这个无序的HashMap我们要怎么来实现排序呢?参照TreeMap的value排序,我们一样的也可以实现HashMap的排序。
public class HashMapTest {
public static void main(String[] args) {
Map map = new HashMap();
map.put("c", "ccccc");
map.put("a", "aaaaa");
map.put("b", "bbbbb");
map.put("d", "ddddd");
List> list = new ArrayList>(map.entrySet());
Collections.sort(list,new Comparator>() {
//升序排序
public int compare(Entry o1,
Entry o2) {
return o1.getValue().compareTo(o2.getValue());
}
});
for(Map.Entry mapping:list){
System.out.println(mapping.getKey()+":"+mapping.getValue());
}
}
}
运行结果
a:aaaaa
b:bbbbb
c:ccccc
d:ddddd
public class TestMapSortByValue {
public static void main(String[] args) {
Map map = new HashMap();
map.put("d",4);
map.put("a",1);
map.put("c",3);
map.put("e",5);
map.put("b",2);
//排序前
System.out.println("before sort");
for(Map.Entry entry:map.entrySet()){
System.out.println(entry.getKey()+"->"+entry.getValue());
}
System.out.println();
//将map转成list
List> infos = new ArrayList>(map.entrySet());
//对list排序,实现新的比较器
Collections.sort(infos, new Comparator>(){
@Override
public int compare(Map.Entry o1, Map.Entry o2) {
return o1.getValue() - o2.getValue();
}
});
//申明新的有序 map,根据放入的数序排序
Map lhm = new LinkedHashMap();
//遍历比较过后的map,将结果放到LinkedHashMap
for(Map.Entry entry:infos){
lhm.put(entry.getKey(), entry.getValue());
}
//遍历LinkedHashMap,打印值
System.out.println("after sort");
for(Map.Entry entry:lhm.entrySet()){
System.out.println(entry.getKey()+"->"+entry.getValue());
}
}
}
before sort
d->4
e->5
b->2
c->3
a->1
after sort
a->1
b->2
c->3
d->4
e->5