如何将列表转换为地图?

最近,我和一位同事讨论了在Java中将List转换为Map的最佳方法,以及这样做是否有任何具体的好处。

我想知道最佳的转换方法,如果有人能指导我,我将非常感激。

这是一个好方法吗?

List<Object[]> results;
Map<Integer, String> resultsMap = new HashMap<Integer, String>();
for (Object[] o : results) {
resultsMap.put((Integer) o[0], (String) o[1]);
}
550526 次浏览
List<Item> list;
Map<Key,Item> map = new HashMap<Key,Item>();
for (Item i : list) map.put(i.getKey(),i);

当然,假设每个Item都有一个getKey()方法,该方法返回一个正确类型的键。

根据你想要达到的目标,你会想到许多解决方案:

每个List项都是键和值

for( Object o : list ) {
map.put(o,o);
}

列表元素有一些可以查找的东西,可能是一个名称:

for( MyObject o : list ) {
map.put(o.name,o);
}

列表元素有一些东西可以查找它们,并且不能保证它们是唯一的:使用Googles 多重映射

for( MyObject o : list ) {
multimap.put(o.name,o);
}

将所有元素的位置作为键值:

for( int i=0; i<list.size; i++ ) {
map.put(i,list.get(i));
}

...

这取决于你想要达到什么目标。

从示例中可以看到,Map是从键到值的映射,而列表只是一系列元素,每个元素都有一个位置。所以它们不能自动兑换。

ListMap在概念上是不同的。List是有序项的集合。项目可以包含重复项,并且项目可能没有任何唯一标识符(键)的概念。Map具有映射到键的值。每个键只能指向一个值。

因此,根据你的List的项,可能可以也可能不可以将它转换为Map。你的List的项没有重复项吗?每个项目都有唯一的键吗?如果是这样,那么可以将它们放在Map中。

这是我为这个目的写的一个小方法。它使用来自Apache Commons的Validate。

请随意使用。

/**
* Converts a <code>List</code> to a map. One of the methods of the list is called to retrive
* the value of the key to be used and the object itself from the list entry is used as the
* objct. An empty <code>Map</code> is returned upon null input.
* Reflection is used to retrieve the key from the object instance and method name passed in.
*
* @param <K> The type of the key to be used in the map
* @param <V> The type of value to be used in the map and the type of the elements in the
*            collection
* @param coll The collection to be converted.
* @param keyType The class of key
* @param valueType The class of the value
* @param keyMethodName The method name to call on each instance in the collection to retrieve
*            the key
* @return A map of key to value instances
* @throws IllegalArgumentException if any of the other paremeters are invalid.
*/
public static <K, V> Map<K, V> asMap(final java.util.Collection<V> coll,
final Class<K> keyType,
final Class<V> valueType,
final String keyMethodName) {


final HashMap<K, V> map = new HashMap<K, V>();
Method method = null;


if (isEmpty(coll)) return map;
notNull(keyType, Messages.getString(KEY_TYPE_NOT_NULL));
notNull(valueType, Messages.getString(VALUE_TYPE_NOT_NULL));
notEmpty(keyMethodName, Messages.getString(KEY_METHOD_NAME_NOT_NULL));


try {
// return the Method to invoke to get the key for the map
method = valueType.getMethod(keyMethodName);
}
catch (final NoSuchMethodException e) {
final String message =
String.format(
Messages.getString(METHOD_NOT_FOUND),
keyMethodName,
valueType);
e.fillInStackTrace();
logger.error(message, e);
throw new IllegalArgumentException(message, e);
}
try {
for (final V value : coll) {


Object object;
object = method.invoke(value);
@SuppressWarnings("unchecked")
final K key = (K) object;
map.put(key, value);
}
}
catch (final Exception e) {
final String message =
String.format(
Messages.getString(METHOD_CALL_FAILED),
method,
valueType);
e.fillInStackTrace();
logger.error(message, e);
throw new IllegalArgumentException(message, e);
}
return map;
}

我喜欢Kango_V的答案,但我认为它太复杂了。我认为这个更简单,也许太简单了。如果愿意,您可以用通用标记替换String,并使其适用于任何键类型。

public static <E> Map<String, E> convertListToMap(Collection<E> sourceList, ListToMapConverterInterface<E> converterInterface) {
Map<String, E> newMap = new HashMap<String, E>();
for( E item : sourceList ) {
newMap.put( converterInterface.getKeyForItem( item ), item );
}
return newMap;
}


public interface ListToMapConverterInterface<E> {
public String getKeyForItem(E item);
}

这样用:

        Map<String, PricingPlanAttribute> pricingPlanAttributeMap = convertListToMap( pricingPlanAttributeList,
new ListToMapConverterInterface<PricingPlanAttribute>() {


@Override
public String getKeyForItem(PricingPlanAttribute item) {
return item.getFullName();
}
} );

普遍的方法

public static <K, V> Map<K, V> listAsMap(Collection<V> sourceList, ListToMapConverter<K, V> converter) {
Map<K, V> newMap = new HashMap<K, V>();
for (V item : sourceList) {
newMap.put( converter.getKey(item), item );
}
return newMap;
}


public static interface ListToMapConverter<K, V> {
public K getKey(V item);
}

以防这个问题没有被关闭为重复,正确的答案是使用谷歌集合:

Map<String,Role> mappedRoles = Maps.uniqueIndex(yourList, new Function<Role,String>() {
public String apply(Role from) {
return from.getName(); // or something else
}});

还有一种简单的方法,使用谷歌库中的Maps.uniqueIndex(…)来实现这一点

对于,你可以使用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相当明确。

为了完整起见,如果你的函数不是双射的,你可以使用二元算子。例如,让我们考虑这个List和一个映射函数,对于一个int值,计算其模3的结果:

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));

当运行这段代码时,你会得到一个java.lang.IllegalStateException: Duplicate key 1的错误。这是因为1% 3与4% 3相同,因此在给定键映射函数时具有相同的键值。在这种情况下,您可以提供一个合并操作符。

这是两个值的总和;(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)

希望能有所帮助!:)

自Java 8以来,使用Collectors.toMap收集器的回复@ZouZou当然是解决这个问题的惯用方法。

由于这是一个非常常见的任务,我们可以将其变成一个静态实用程序。

这样解决方案就变成了一行程序。

/**
* Returns a map where each entry is an item of {@code list} mapped by the
* key produced by applying {@code mapper} to the item.
*
* @param list the list to map
* @param mapper the function to produce the key from a list item
* @return the resulting map
* @throws IllegalStateException on duplicate key
*/
public static <K, T> Map<K, T> toMapBy(List<T> list,
Function<? super T, ? extends K> mapper) {
return list.stream().collect(Collectors.toMap(mapper, Function.identity()));
}

下面是如何在List<Student>上使用它:

Map<Long, Student> studentsById = toMapBy(students, Student::getId);

如果没有java-8,你可以在一行Commons集合和Closure类中完成这些

List<Item> list;
@SuppressWarnings("unchecked")
Map<Key, Item> map  = new HashMap<Key, Item>>()\{\{
CollectionUtils.forAllDo(list, new Closure() {
@Override
public void execute(Object input) {
Item item = (Item) input;
put(i.getKey(), item);
}
});
}};

一个将对象的List<?>转换为Map<k, v>的Java 8示例:

List<Hosting> list = new ArrayList<>();
list.add(new Hosting(1, "liquidweb.com", new Date()));
list.add(new Hosting(2, "linode.com", new Date()));
list.add(new Hosting(3, "digitalocean.com", new Date()));


//example 1
Map<Integer, String> result1 = list.stream().collect(
Collectors.toMap(Hosting::getId, Hosting::getName));


System.out.println("Result 1 : " + result1);


//example 2
Map<Integer, String> result2 = list.stream().collect(
Collectors.toMap(x -> x.getId(), x -> x.getName()));

代码复制自:
https://www.mkyong.com/java8/java-8-convert-list-to-map/ < / p >

您可以利用Java 8的流API。

public class ListToMap {


public static void main(String[] args) {
List<User> items = Arrays.asList(new User("One"), new User("Two"), new User("Three"));


Map<String, User> map = createHashMap(items);
for(String key : map.keySet()) {
System.out.println(key +" : "+map.get(key));
}
}


public static Map<String, User> createHashMap(List<User> items) {
Map<String, User> map = items.stream().collect(Collectors.toMap(User::getId, Function.identity()));
return map;
}
}

更多详细信息请访问:http://codecramp.com/java-8-streams-api-convert-list-map/

Alexis已经在Java 8中使用方法toMap(keyMapper, valueMapper)发布了一个答案。根据这个方法实现的医生:

对于类型、可变性、可序列化性或

.线程安全

因此,如果我们对Map接口的特定实现感兴趣,例如HashMap,那么我们可以使用重载形式如下:

Map<String, Item> map2 =
itemList.stream().collect(Collectors.toMap(Item::getKey, //key for map
Function.identity(),    // value for map
(o,n) -> o,             // merge function in case of conflict with keys
HashMap::new));         // map factory - we want HashMap and not any Map implementation

虽然使用Function.identity()i->i都可以,但根据这个相关的回答Function.identity()而不是i -> i可能会节省一些内存。

又短又甜。

使用Java 8,你可以做到以下几点:

Map<Key, Value> result= results
.stream()
.collect(Collectors.toMap(Value::getName,Function.identity()));

Value可以是你使用的任何对象。

Apache Commons MapUtils.populateMap

如果您不使用Java 8,并且出于某种原因不想使用显式循环,请尝试Apache Commons中的MapUtils.populateMap

MapUtils.populateMap . MapUtils.populateMap . MapUtils.populateMap

假设你有一个__abc列表。

List<ImmutablePair<String, String>> pairs = ImmutableList.of(
new ImmutablePair<>("A", "aaa"),
new ImmutablePair<>("B", "bbb")
);

现在你想要一个Pair的键到Pair对象的Map。

Map<String, Pair<String, String>> map = new HashMap<>();
MapUtils.populateMap(map, pairs, new Transformer<Pair<String, String>, String>() {


@Override
public String transform(Pair<String, String> input) {
return input.getKey();
}
});


System.out.println(map);

给输出:

{A=(A,aaa), B=(B,bbb)}

也就是说,for循环可能更容易理解。(下面给出了相同的输出):

Map<String, Pair<String, String>> map = new HashMap<>();
for (Pair<String, String> pair : pairs) {
map.put(pair.getKey(), pair);
}
System.out.println(map);

就像已经说过的,在java-8中,我们有收藏家的简洁解决方案:

  list.stream().collect(
groupingBy(Item::getKey)
)

同时,你可以通过另一个groupingBy方法作为第二个参数来嵌套多个组:

  list.stream().collect(
groupingBy(Item::getKey, groupingBy(Item::getOtherKey))
)

这样,我们就有了多层映射,像这样:Map<key, Map<key, List<Item>>>

使用java-8流

Map<Integer, String> map = results.stream().collect(Collectors.toMap(e -> ((Integer) e[0]), e -> (String) e[1]));

如果你使用Kotlin,这里有一个例子:

listOf("one", "two").mapIndexed { i, it -> i to it }.toMap()
public class EmployeeDetailsFetchListToMap {
public static void main(String[] args) {
List<EmployeeDetailsFetch> list = new ArrayList<>();
list.add(new EmployeeDetailsFetch(1L, "vinay", 25000F));
list.add(new EmployeeDetailsFetch(2L, "kohli", 5000000F));
list.add(new EmployeeDetailsFetch(3L, "dhoni", 20000000F));


//adding id as key and map of id and student name
Map<Long, Map<Long, String>> map1 = list.stream()
.collect(
Collectors.groupingBy(
EmployeeDetailsFetch::getEmpId,
Collectors.toMap(
EmployeeDetailsFetch::getEmpId,
EmployeeDetailsFetch::getEmployeeName
)
)
);
System.out.println(map1);


//converting list into map of Student
//Adding id as Key and Value as Student into a map
Map<Long, EmployeeDetailsFetch> map = list.stream()
.collect(
Collectors.toMap(
EmployeeDetailsFetch::getEmpId,
EmployeeDetailsFetch -> EmployeeDetailsFetch
)
);


for(Map.Entry<Long, EmployeeDetailsFetch> m : map.entrySet()) {
System.out.println("key :" + m.getKey() + "  Value : " + m.getValue());
}
}
}