我有这样的类结构:
public class A {
private List<B> bs;
...//getters
}
public class C {
private Long id;
...//getters
}
public class B {
private Long idOfC;
...//more stuff
}
B::getIdOfC matchs C::getId
在更好的设计中,B将只包含对C的引用,而不是它的id(我无法更改它),所以这就是为什么现在我需要创建一个映射,所以我的方法签名看起来像这样
public Map<A, List<C>> convert(Collection<A> collection)
在这个转换方法中,有一个
List<C> getCsByIds(List<Long> id)
后来用于将其与B.idOfC匹配,但是应该只有一次对此方法的调用,因为它非常昂贵。
所以如果我这样去:
List<B> bs = Arrays.asList(new B(10L), new B(11L)); //10L and 11L are the values of idOfC
List<A> as = Arrays.asList(bs);
//And assuming getCsByIds returns Arrays.asList(new C(10L), new C(11L), new C(12L));
然后
Map<A, List<C>> map = convert(as);
map.values().get(0)
返回类似的东西Arrays.asList(new C(10L), new C(11L))
在我看来,这样做的方法非常庞大:
public Map<A, List<C>> convert(Collection<A> as) {
List<Long> cIds = as.stream()
.flatMap(a -> a.getBs().stream())
.map(B::getCId)
.collect(Collectors.toList());
//single call to gsCsByIds
Map<Long, C> csMap = getCsByIds(cIds)
.stream()
.collect(Collectors.toMap(C::getId, Function.identity()));
//a whole new map is created by iterating over the list called "as"
Map<A, List<C>> csByAs = new HashMap<>();
if (!csMap.isEmpty()) {
for (A a : as) {
Set<C> cs = getCsFromMap(csMap, a.getBs());
if (!cs.isEmpty()) {
csByAs.put(a, new ArrayList<>(cs));
}
}
}
return csByAs;
}
private Set<B> getCsFromMap(Map<Long, C> cMap, List<B> bs) {
return bs.stream()
.map(b -> cMap.get(b.getIdOfc()))
.collect(Collectors.toSet());
}
有没有办法让它更简单???
www说
翻阅古今
慕哥9229398
相关分类