Java 8 流:根据不同的属性多次映射同一对象
我的一位同事向我提出了一个有趣的问题,我无法找到一个整洁漂亮的Java 8解决方案。问题是要通过POJO列表进行流式传输,然后根据多个属性将它们收集到地图中 - 映射会导致POJO多次发生
想象一下下面的POJO:
private static class Customer {
public String first;
public String last;
public Customer(String first, String last) {
this.first = first;
this.last = last;
}
public String toString() {
return "Customer(" + first + " " + last + ")";
}
}
将其设置为:List<Customer>
// The list of customers
List<Customer> customers = Arrays.asList(
new Customer("Johnny", "Puma"),
new Customer("Super", "Mac"));
备选方案 1:使用“流”的外部(或更确切地说是外部)。Map
forEach
// Alt 1: not pretty since the resulting map is "outside" of
// the stream. If parallel streams are used it must be
// ConcurrentHashMap
Map<String, Customer> res1 = new HashMap<>();
customers.stream().forEach(c -> {
res1.put(c.first, c);
res1.put(c.last, c);
});
备选方案 2:创建地图条目并对其进行流化,然后对其进行流化。IMO它有点太冗长了,不那么容易阅读。flatMap
// Alt 2: A bit verbose and "new AbstractMap.SimpleEntry" feels as
// a "hard" dependency to AbstractMap
Map<String, Customer> res2 =
customers.stream()
.map(p -> {
Map.Entry<String, Customer> firstEntry = new AbstractMap.SimpleEntry<>(p.first, p);
Map.Entry<String, Customer> lastEntry = new AbstractMap.SimpleEntry<>(p.last, p);
return Stream.of(firstEntry, lastEntry);
})
.flatMap(Function.identity())
.collect(Collectors.toMap(
Map.Entry::getKey, Map.Entry::getValue));
备选方案 3:这是我迄今为止想出的另一个“最漂亮”的代码,但它使用了三个参数版本,第三个参数有点狡猾,如这个问题所示:Java 8 函数式编程中“reduce”函数的第三个参数的目的。此外,它似乎不太适合这个问题,因为它正在发生变化,并且并行流可能无法与下面的方法一起使用。reduce
reduce
// Alt 3: using reduce. Not so pretty
Map<String, Customer> res3 = customers.stream().reduce(
new HashMap<>(),
(m, p) -> {
m.put(p.first, p);
m.put(p.last, p);
return m;
}, (m1, m2) -> m2 /* <- NOT USED UNLESS PARALLEL */);
如果上面的代码是这样打印的:
System.out.println(res1);
System.out.println(res2);
System.out.println(res3);
结果将是:
{Super=Customer(Super Mac), Johnny=Customer(Johnny Puma), Mac=Customer(Super Mac), Puma=Customer(Johnny Puma)}
{Super=Customer(Super Mac), Johnny=Customer(Johnny Puma), Mac=Customer(Super Mac), Puma=Customer(Johnny Puma)}
{Super=Customer(Super Mac), Johnny=Customer(Johnny Puma), Mac=Customer(Super Mac), Mac=Customer(Super Mac), Puma=Customer(Johnny Puma)}
所以,现在来回答我的问题:我应该如何以Java 8有序的方式流经,然后以某种方式收集它,作为一个你将整个东西拆分为两个键(AND)的地方,即映射两次。我不想使用任何第三方库,我不想像alt 1那样在流之外使用地图。还有其他不错的选择吗?List<Customer>
Map<String, Customer>
first
last
Customer
完整的代码可以在hastebin上找到,用于简单的复制粘贴,以使整个事情运行。