最近私は同僚と、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]);
}
List<Item> list;
Map<Key,Item> map = new HashMap<Key,Item>();
for (Item i : list) map.put(i.getKey(),i);
もちろん、各Itemが適切な型のキーを返すgetKey()
メソッドを持っていると仮定します。
Java-8 では、 ストリームを使ってこれを1行で実行できます 、および 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]
コメントで述べたように、item -> item
の代わりにFunction.identity()
を使用できますが、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)
それが役に立てば幸い! :)
念のために、この質問が重複して閉じられていない場合 、正しい答えはGoogleコレクションを使用することです 。
Map<String,Role> mappedRoles = Maps.uniqueIndex(yourList, new Function<Role,String>() {
public String apply(Role from) {
return from.getName(); // or something else
}});
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を使用すると、次のことができます。
Map<Key, Value> result= results
.stream()
.collect(Collectors.toMap(Value::getName,Function.identity()));
Value
はあなたが使うどんなオブジェクトでも構いません。
List
とMap
は概念的に異なります。 List
は項目の順序付けられたコレクションです。アイテムには重複を含めることができ、アイテムには一意の識別子(キー)という概念がまったくない場合があります。 Map
はキーにマッピングされた値を持ちます。各キーは1つの値のみを指すことができます。
したがって、あなたのList
の項目に応じて、それをMap
に変換することは可能かもしれないし不可能かもしれません。あなたのList
のアイテムは重複していませんか?各アイテムには一意のキーがありますか?もしそうなら、それをMap
に入れることが可能です。
Google guava ライブラリから Maps.uniqueIndex(...) を使用してこれを行う簡単な方法もあります。
ユニバーサル方式
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);
}
AlexisはすでにメソッドtoMap(keyMapper, valueMapper)
を使ってJava 8に答えを掲載しています。このメソッド実装の doc に従って:
返される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
を使用することは問題ありませんが、i -> i
の代わりにFunction.identity()
を使用すると、この関連の 答えのようにメモリを節約できる可能性があります 。
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);
}
});
}};
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/
これは私がまさにこの目的のために書いた小さな方法です。 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;
}
達成したいことに応じて、多くの解決策が思い浮かびます。
すべてのリスト項目はキーと値です
for( Object o : list ) {
map.put(o,o);
}
リスト要素はそれらを調べるための何か、おそらく名前を持っています:
for( MyObject o : list ) {
map.put(o.name,o);
}
リスト要素にはそれらを調べるためのものがあり、それらが一意であるという保証はありません。Googles MultiMaps を使用
for( MyObject o : list ) {
multimap.put(o.name,o);
}
すべての要素に位置をキーとして与える:
for( int i=0; i<list.size; i++ ) {
map.put(i,list.get(i));
}
...
それは本当にあなたが達成したいことによります。
例からわかるように、Mapはキーから値へのマッピングですが、リストはそれぞれ位置を持つ一連の要素です。だから彼らは単に自動的に変換可能ではありません。
オブジェクトの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/
すでに述べたように、Java-8ではコレクターによる簡潔な解決策があります。
list.stream().collect(
groupingBy(Item::getKey)
)
また、2番目のパラメータとして他のgroupingByメソッドを渡して複数のグループをネストすることもできます。
list.stream().collect(
groupingBy(Item::getKey, groupingBy(Item::getOtherKey))
)
このようにして、以下のようにマルチレベルマップを作成します。Map<key, Map<key, List<Item>>>
Java 8を使用せず、何らかの理由で明示的なループを使用したくない場合は、Apache CommonsのMapUtils.populateMap
を試してください。
Pair
sのリストがあるとしましょう。
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);
Kango_Vの答えは好きですが、複雑すぎると思います。私はこれがもっと単純だと思う - 多すぎるのは多すぎる。もし傾いているのであれば、StringをGenericマーカーに置き換えて、どんなKeyタイプにも使えるようにすることができます。
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();
}
} );