这是我的代码:
import java.io.BufferedReader;
import java.io.FileReader;
import java.util.*;
/**
* Created by Luis on 09/09/2015.
*/
public class ReadToHashmap {
public static void main(String[] args) throws Exception {
Map<String, Integer> mapofstuff = new TreeMap<String, Integer>();
BufferedReader in = new BufferedReader(new FileReader("C:\\Users\\Luis\\Desktop\\Java.POO\\testingide\\src\\la2\\grades.txt"));
String line = "";
while ((line = in.readLine()) != null) {
String parts[] = line.split(" ", 2);
int part1 = Integer.parseInt(parts[1]);
if(mapofstuff.containsKey(parts[0])) {
mapofstuff.put(parts[0], mapofstuff.get(parts[0])+part1);
}
else {
mapofstuff.put(parts[0], part1);
}
}
in.close();
System.out.println(entriesSortedByValues(mapofstuff));
}
public static <K,V extends Comparable<? super V>>
SortedSet<Map.Entry<K,V>> entriesSortedByValues(Map<K,V> map) {
SortedSet<Map.Entry<K,V>> sortedEntries = new TreeSet<Map.Entry<K,V>>(
new Comparator<Map.Entry<K,V>>() {
@Override public int compare(Map.Entry<K,V> e1, Map.Entry<K,V> e2) {
int res = e1.getValue().compareTo(e2.getValue());
return res != 0 ? res : 1;
}
}
);
sortedEntries.addAll(map.entrySet());
return sortedEntries;
}
}
这是“grades.txt”包含的文件:
10885 10
70000 6
70000 10
60000 4
70000 4
60000 4
10885 10
60001 5
60002 8
60003 8
它产生了这个输出:
[60001=5, 60000=8, 60002=8, 60003=8, 10885=20, 70000=20]
这是我想要的输出:
[70000=20, 10885=20, 60003=8, 60002=8, 60000=8, 60001=5]
有效地扭转了我目前的输出。 谢谢你的时间。
有条件的信息:
“grades.txt”包含多个学生的每一栏(“Number_of_student”, partial_grade )。
我想阅读该文件,并且每位学生将所有部分成绩添加到最终成绩,所以我最终得到(“ Number_of_student“, final_grade )。
然后我想按 final_grade 的降序排序,如果学生具有相同的final_grade,请按 Number_of_student的降序排序
答案 0 :(得分:0)
一些更正:
由于您将密钥用作辅助索引,因此您也应将其转换为整数。
由于您想使用密钥作为辅助排序值,因此应分别更改比较函数的最后一行(参见下面的示例)
由于您要按相反顺序排序,因此比较函数应在结果前返回相反的结果,即-
(减号)。
public static void main(String[] args) throws Exception {
Map<Integer, Integer> mapofstuff = new TreeMap<>();
BufferedReader in = new BufferedReader(new FileReader("C:\Users\Luis\Desktop\Java.POO\testingide\src\la2\grades.txt"));
String line = "";
while ((line = in.readLine()) != null) {
String parts[] = line.split(" ", 2);
int part0 = Integer.parseInt(parts[0].trim());
int part1 = Integer.parseInt(parts[1].trim());
if(mapofstuff.containsKey(part0)) {
mapofstuff.put(part0, mapofstuff.get(part0) + part1);
}
else {
mapofstuff.put(part0, part1);
}
}
in.close();
System.out.println(entriesSortedByValues(mapofstuff));
}
public static <K,V extends Comparable<? super V>>
SortedSet<Map.Entry<K,V>> entriesSortedByValues(Map<K,V> map) {
SortedSet<Map.Entry<K,V>> sortedEntries = new TreeSet<Map.Entry<K,V>>(
new Comparator<Map.Entry<K,V>>() {
@Override public int compare(Map.Entry<K,V> e1, Map.Entry<K,V> e2) {
int res = -e1.getValue().compareTo(e2.getValue());
return res != 0 ? res : -((Integer)e1.getKey()).compareTo((Integer)e2.getKey());
}
}
);
sortedEntries.addAll(map.entrySet());
return sortedEntries;
}
<强>输出强>
[70000=20, 10885=20, 60003=8, 60002=8, 60000=8, 60001=5]