Java:リストをマップに変換する方法


224

最近、私は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]);
}

2
最適な方法は何ですか?最適化は、特定のパラメータ(速度/メモリ)を考慮して行われます。
ダニエルファット

6
ListはMapとは概念的に異なります。Mapには「キーと値」のペアの概念がありますが、Listにはありません。これを考えると、リストからマップに変換したり、リストに変換したりする正確な方法は不明です。
Victor Sorokin

1
@ダニエル:Optimalによって、すべての方法がわからないすべての異なる方法の中でそれを行うための最良の方法は何かを意味しました。
レイチェル


回答:


188
List<Item> list;
Map<Key,Item> map = new HashMap<Key,Item>();
for (Item i : list) map.put(i.getKey(),i);

もちろん、各ItemにはgetKey()適切なタイプのキーを返すメソッドがあると仮定します。


1
リスト内の位置をキー入力することもできます。
ジェレミー

@ジム:をgetKey()特定のパラメータに設定する必要がありますか?
レイチェル

また、マップの値は何でしょうか、例を挙げて詳しく説明できますか?
レイチェル

1
@Rachel-値はリスト内のアイテムであり、キーはアイテムを一意にするものであり、ユーザーが決定します。ジムの使用getKey()は恣意的でした。
ジェレミー

1
Map <Key、Item> map = new HashMap <Key、Item>(list.size());を実行できるように、事前にサイズを知っています。
ビクトル・ロメロ

316

ストリームCollectorsクラスを使用して、1行でこれを行うことができます。

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

また、関数が全単射でない場合は、2項演算子を使用できることに注意してください。たとえば、これ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)

それが役に立てば幸い!:)


19
Function.identity()代わりに使用する方が良いitem -> item
Emmanuel Touzery 2014年

1
@EmmanuelTouzeryまあ、Function.identity()戻りますt -> t;
Alexis

2
もちろん、どちらも機能します。それは好みの問題だと思います。Function.identity()の方がすぐにわかります。
Emmanuel Touzery、2015

OPはpojoを処理せず、計算できない文字列と整数のみを処理します::getKey
phil294 2017

@Blauhirn私が知っている、私の例はすぐ下のカスタムクラスに基づいています。値からキーを生成するために、どのような関数を使用してもかまいません。
アレクシス

115

この質問が重複として閉じられていない場合に備えて、正しい答えはGoogleコレクションを使用することです

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

17
これがトップになるはずです
マーティンアンダーソン2013年

6
グアバに古い、廃止予定のGoogleコレクションライブラリの完全に互換性のあるスーパーセットが含まれています。このライブラリはもう使用しないでください。」更新が必要になる場合があります。
2014年

3
このような単純な操作に外部ライブラリを使用するのはやりすぎです。それまたは非常に弱い標準ライブラリの兆候。この場合、@ jim-garrisonの答えは完全に合理的です。javaに「map」や「reduce」のような便利なメソッドがないのは残念ですが、完全に必要というわけではありません。
linuxdan 2015年

2
これはグアバを使用しています。残念ながら、AndroidではGuavaは非常に遅いため、このソリューションをAndroidプロジェクトで使用しないでください。
IgorGanapolsky 2015年

リスト内の項目に重複するroleNamesがある場合、上記のコードは例外をスローします
Junchen Liu

17

Java 8を使用すると、次のことができます。

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

Value 使用するオブジェクトを指定できます。


16

Java 8以降、コレクターを使用した@ZouZouによる答えCollectors.toMapは確かにこの問題を解決する慣用的な方法です。

これは非常に一般的なタスクなので、静的ユーティリティにすることができます。

このようにして、ソリューションは本当にワンライナーになります。

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

このメソッドの型パラメーターの説明については、私のフォローアップの質問を参照しください。
2014年

これは、重複するキーがある場合に例外をスローします。Sth like:スレッド "main"の例外java.lang.IllegalStateException:Duplicate key ....詳細については、次を参照してください:codecramp.com/java-8-streams-api-convert-list-map
EMM

@EMMもちろん、Javadocで意図および文書化されています。
glts

はい、重複のケースをカバーするための回答を更新しました。確認してください。ありがとう
EMM

10

A ListMapは概念的に異なります。A Listは、アイテムの順序付けられたコレクションです。アイテムには重複が含まれる可能性があり、アイテムには一意の識別子(キー)の概念がない場合があります。AにMapはキーにマップされた値があります。各キーは1つの値のみを指すことができます。

したがって、Listのアイテムによっては、に変換できる場合とできない場合がありますMap。ごんListの項目には、重複を持っていませんか?各アイテムには一意のキーがありますか?その場合、それらをに配置することが可能Mapです。


10

AlexisはすでにJava 8で methodを使用して回答を投稿していtoMap(keyMapper, valueMapper)ます。このメソッド実装のドキュメントに従って:

返されるMapのタイプ、変更可能性、直列化可能性、またはスレッドセーフ性は保証されません。

したがって、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ませんが、この関連する回答のように、代わりにメモリを節約できる可能性があります


1
2019年に大量の人々がラムダで取得する実際のMap実装を知らないことにまだ気づいていないという面白い事実!実際、これは私がプロダクションで使用するJava 8ラムダで見つけた1つの答えにすぎません。
パブロ

Mapタイプを指定して、マージ機能を使用せずに収集する方法はありますか?
Rosberg Linhares


5

万能法

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

これの使い方は?converterメソッドのパラメーターとして何を渡す必要がありますか?
IgorGanapolsky 2015年

4

java-8がなければ、1行の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);
        }
    });
}};

2

達成したいことに応じて、多くのソリューションが思い浮かびます:

すべてのリスト項目はキーと値です

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

リスト要素には、それらを検索するための何か、おそらく名前があります:

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

リスト要素には検索する要素があり、それらが一意である保証はありません。Googleのマルチマップを使用してください

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

すべての要素にキーとしての位置を与える:

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

...

それはあなたが達成したいものに本当に依存します。

例からわかるように、マップはキーから値へのマッピングですが、リストは、それぞれ位置を持つ一連の要素です。したがって、それらは自動的に変換可能ではありません。


しかし、リスト要素の位置をキーとして考え、それらの値をマップに入れることができます。これは良い解決策ですか?
レイチェル

AFAIKはい!JDKにはそれを自動的に行う関数がないため、独自にロールする必要があります。
Daniel

Java 8ストリームで(配列のインデックスをマップキーとして使用して)最後のバージョンを実行することは可能ですか?
phil294 2017

2

これがまさにこの目的のために私が書いた小さな方法です。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;
}

2

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/をご覧ください。


1

List<?>オブジェクトのをに変換するJava 8の例Map<k, v>

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/


1

すでに述べたように、java-8にはコレクターによる簡潔なソリューションがあります。

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

また、他のgroupingByメソッドを2番目のパラメーターとして渡して、複数のグループをネストすることもできます。

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

このようにして、次のようなマルチレベルマップを作成します。 Map<key, Map<key, List<Item>>>



0

私はKango_Vの答えが好きですが、複雑すぎると思います。これはもっと単純だと思います-おそらく単純すぎるでしょう。必要に応じて、StringをGenericマーカーに置き換え、任意のキータイプで機能させることができます。

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

0

Apache Commons MapUtils.populateMap

Java 8を使用せず、何らかの理由で明示的なループを使用したくない場合はMapUtils.populateMap、Apache Commonsを試してください。

MapUtils.populateMap

Pairsのリストがあるとします。

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

Pair次に、Pairオブジェクトへののキーのマップが必要になります。

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);
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.