我想使用Java 8的流和lambdas将对象列表转换为Map。
这是我在Java 7及以下版本中编写它的方式。
private Map<String, Choice> nameMap(List<Choice> choices) {
final Map<String, Choice> hashMap = new HashMap<>();
for (final Choice choice : choices) {
hashMap.put(choice.getName(), choice);
}
return hashMap;
}
我可以很容易地完成这一点使用Java 8和番石榴,但我想知道如何做到这一点没有番石榴。
番石榴:
private Map<String, Choice> nameMap(List<Choice> choices) {
return Maps.uniqueIndex(choices, new Function<Choice, String>() {
@Override
public String apply(final Choice input) {
return input.getName();
}
});
}
番石榴和Java 8 lambdas。
private Map<String, Choice> nameMap(List<Choice> choices) {
return Maps.uniqueIndex(choices, Choice::getName);
}
Map<String,Choice> map=list.stream().collect(Collectors.toMap(Choice::getName, s->s));
甚至对我来说,
Map<String,Choice> map= list1.stream().collect(()-> new HashMap<String,Choice>(),
(r,s) -> r.put(s.getString(),s),(r,s) -> r.putAll(s));
Map<String,Choice> map=list.stream().collect(Collectors.toMap(Choice::getName, s->s));
甚至对我来说,
Map<String,Choice> map= list1.stream().collect(()-> new HashMap<String,Choice>(),
(r,s) -> r.put(s.getString(),s),(r,s) -> r.putAll(s));
我将写如何转换列表映射使用泛型和反转控制。只是通用方法!
也许我们有一个整数列表或对象列表。那么问题是:地图的键应该是什么?
创建接口
public interface KeyFinder<K, E> {
K getKey(E e);
}
现在使用控制反转:
static <K, E> Map<K, E> listToMap(List<E> list, KeyFinder<K, E> finder) {
return list.stream().collect(Collectors.toMap(e -> finder.getKey(e) , e -> e));
}
例如,如果我们有book对象,这个类是为映射选择键
public class BookKeyFinder implements KeyFinder<Long, Book> {
@Override
public Long getKey(Book e) {
return e.getPrice()
}
}