我有 3 个列表,因此它们的元素顺序很重要:
names: [a, b, c, d]
files: [a-file, b-file, c-file, d-file]
counts: [a-count, b-count, c-count, d-count]
我需要根据元素按字母顺序对它们进行排序。
有人可以解释我该怎么做吗?List<String> names
创建一个类来保存元组:
class NameFileCount {
String name;
File file;
int count;
public NameFileCount(String name, File file, int count) {
...
}
}
然后将三个列表中的数据分组到该类的单个列表中:
List<NameFileCount> nfcs = new ArrayList<>();
for (int i = 0; i < names.size(); i++) {
NameFileCount nfc = new NameFileCount(
names.get(i),
files.get(i),
counts.get(i)
);
nfcs.add(nfc);
}
并使用自定义比较器按 排序此列表name
:
Collections.sort(nfcs, new Comparator<NameFileCount>() {
public int compare(NameFileCount x, NameFileCount y) {
return x.name.compareTo(y.name);
}
});
(为简洁起见,省略了属性访问器、空值检查等。)