1. 程式人生 > 其它 >Java8中list轉map方法總結

Java8中list轉map方法總結

list轉map在Java8中stream的應用
1.利用Collectors.toMap方法進行轉換

public Map<Long, String> getIdNameMap(List<Account> accounts) {
    return accounts.stream().collect(Collectors.toMap(Account::getId, Account::getUsername));
}

其中第一個引數就是可以,第二個引數就是value的值。
2.收集物件實體本身
在開發過程中我們也需要有時候對自己的list中的實體按照其中的一個欄位進行分組(比如 id ->List),這時候要設定map的value值是實體本身。

public Map<Long, Account> getIdAccountMap(List<Account> accounts) {
    return accounts.stream().collect(Collectors.toMap(Account::getId, account -> account));
}

account -> account是一個返回本身的lambda表示式,其實還可以使用Function介面中的一個預設方法 Function.identity(),這個方法返回自身物件,更加簡潔
重複key的情況。
在list轉為map時,作為key的值有可能重複,這時候流的處理會丟擲個異常:Java.lang.IllegalStateException:Duplicate key。這時候就要在toMap方法中指定當key衝突時key的選擇。(這裡是選擇第二個key覆蓋第一個key)

public Map<String, Account> getNameAccountMap(List<Account> accounts) {
    return accounts.stream().collect(Collectors.toMap(Account::getUsername, Function.identity(), (key1, key2) -> key2));
}

用groupingBy 或者 partitioningBy進行分組
根據一個欄位或者屬性分組也可以直接用groupingBy方法,很方便。

Map<Integer, List<Person>> personGroups = Stream.generate(new
PersonSupplier()).limit(100).collect(Collectors.groupingBy(Person::getAge)); Iterator it = personGroups.entrySet().iterator(); while (it.hasNext()) { Map.Entry<Integer, List<Person>> persons = (Map.Entry) it.next(); System.out.println("Age " + persons.getKey() + " = " + persons.getValue().size()); }

使用guava

 Map<Long, User> maps = Maps.uniqueIndex(userList, new Function<User, Long>() {
            @Override
            public Long apply(User user) {
                return user.getId();
            }
   });

有時候,希望得到的map的值不是物件,而是物件的某個屬性,那麼可以用下面的方式:

Map<Long, String> maps = userList.stream().collect(Collectors.toMap(User::getId, User::getAge, (key1, key2) -> key2));
郭慕榮部落格園