使用java-8,您将能够使用流和Collectors
类在一行中完成此操作。
Map<String, Item> map =
list.stream().collect(Collectors.toMap(Item::getKey, item -> item));
简短演示:
import java.util.Arrays;
import java.util.List;
import java.util.Map;
import java.util.stream.Collectors;
public class Test{
public static void main (String [] args){
List<Item> list = IntStream.rangeClosed(1, 4)
.mapToObj(Item::new)
.collect(Collectors.toList()); //[Item [i=1], Item [i=2], Item [i=3], Item [i=4]]
Map<String, Item> map =
list.stream().collect(Collectors.toMap(Item::getKey, item -> item));
map.forEach((k, v) -> System.out.println(k + " => " + v));
}
}
class Item {
private final int i;
public Item(int i){
this.i = i;
}
public String getKey(){
return "Key-"+i;
}
@Override
public String toString() {
return "Item [i=" + i + "]";
}
}
输出:
Key-1 => Item [i=1]
Key-2 => Item [i=2]
Key-3 => Item [i=3]
Key-4 => Item [i=4]
如注释中所述,您可以使用 代替 ,尽管我发现相当明确。Function.identity()
item -> item
i -> i
为了完整起见,请注意,如果您的函数不是双射的,则可以使用二元运算符。例如,让我们考虑一下这个和映射函数,对于一个int值,计算其模数为3的结果:List
List<Integer> intList = Arrays.asList(1, 2, 3, 4, 5, 6);
Map<String, Integer> map =
intList.stream().collect(toMap(i -> String.valueOf(i % 3), i -> i));
运行此代码时,您将收到一条错误消息,指出 .这是因为 1 % 3 与 4 % 3 相同,因此在给定键映射函数的情况下具有相同的键值。在这种情况下,您可以提供合并运算符。java.lang.IllegalStateException: Duplicate key 1
这是一个对值求和的; 可以替换为方法引用 。(i1, i2) -> i1 + i2;
Integer::sum
Map<String, Integer> map =
intList.stream().collect(toMap(i -> String.valueOf(i % 3),
i -> i,
Integer::sum));
现在输出:
0 => 9 (i.e 3 + 6)
1 => 5 (i.e 1 + 4)
2 => 7 (i.e 2 + 5)
希望它有帮助!:)