我使用Java 8进行数据分组。但获得的结果不是有序的。
Map<GroupingKey, List<Object>> groupedResult = null;
if (!CollectionUtils.isEmpty(groupByColumns)) {
Map<String, Object> mapArr[] = new LinkedHashMap[mapList.size()];
if (!CollectionUtils.isEmpty(mapList)) {
int count = 0;
for (LinkedHashMap<String, Object> map : mapList) {
mapArr[count++] = map;
}
}
Stream<Map<String, Object>> people = Stream.of(mapArr);
groupedResult = people
.collect(Collectors.groupingBy(p -> new GroupingKey(p, groupByColumns), Collectors.mapping((Map<String, Object> p) -> p, toList())));
public static class GroupingKey
public GroupingKey(Map<String, Object> map, List<String> cols) {
keys = new ArrayList<>();
for (String col : cols) {
keys.add(map.get(col));
}
}
// Add appropriate isEqual() ... you IDE should generate this
@Override
public boolean equals(Object obj) {
if (obj == null) {
return false;
}
if (getClass() != obj.getClass()) {
return false;
}
final GroupingKey other = (GroupingKey) obj;
if (!Objects.equals(this.keys, other.keys)) {
return false;
}
return true;
}
@Override
public int hashCode() {
int hash = 7;
hash = 37 * hash + Objects.hashCode(this.keys);
return hash;
}
@Override
public String toString() {
return keys + "";
}
public ArrayList<Object> getKeys() {
return keys;
}
public void setKeys(ArrayList<Object> keys) {
this.keys = keys;
}
}
这里我使用的是我的类groupingKey,我从ux动态传递。如何以排序的形式获取此groupByColumns?
答案 0 :(得分:42)
不维护订单是存储结果的Map
的属性。如果您需要特定的Map
行为,则需要request a particular Map
implementation。例如。 LinkedHashMap
维护广告订单:
groupedResult = people.collect(Collectors.groupingBy(
p -> new GroupingKey(p, groupByColumns),
LinkedHashMap::new,
Collectors.mapping((Map<String, Object> p) -> p, toList())));
顺便说一下,没有理由在创建mapList
之前将Stream
的内容复制到数组中。您只需致电mapList.stream()
即可获得合适的Stream
。
此外,Collectors.mapping((Map<String, Object> p) -> p, toList())
已过时。 p->p
是一个身份映射,因此没有理由要求mapping
:
groupedResult = mapList.stream().collect(Collectors.groupingBy(
p -> new GroupingKey(p, groupByColumns), LinkedHashMap::new, toList()));
但即使GroupingKey
已经过时了。它基本上包含List
个值,因此您可以首先使用List
作为键。 List
正确实施hashCode
和equals
(但之后 }
List
答案 1 :(得分:0)
基于@Holger的好答案。我发布这个是为了帮助那些想要在分组后保留订单以及更改映射的人。
让我们简化并假设我们有一个人员列表(int age,String name,String adresss ...等),我们希望按年龄分组名称,同时保持年龄顺序:
final LinkedHashMap<Integer, List<String> map = myList
.stream()
.sorted(Comparator.comparing(p -> p.getAge())) //sort list by ages
.collect(Collectors.groupingBy(p -> p.getAge()),
LinkedHashMap::new, //keep the order
Collectors.mapping(p -> p.getName(), //map name
Collectors.toList())));