代碼以下:java
public Map<Long, String> getIdNameMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getId, Account::getUsername)); }
代碼以下:ide
public Map<Long, Account> getIdAccountMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getId, account -> account)); }
account -> account是一個返回自己的lambda表達式,其實還可使用Function接口中的一個默認方法代替,使整個方法更簡潔優雅:函數
public Map<Long, Account> getIdAccountMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getId, Function.identity())); }
代碼以下:spa
public Map<String, Account> getNameAccountMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getUsername, Function.identity())); }
這個方法可能報錯(java.lang.IllegalStateException: Duplicate key),由於name是有可能重複的。toMap有個重載方法,能夠傳入一個合併的函數來解決key衝突問題:.net
public Map<String, Account> getNameAccountMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getUsername, Function.identity(), (key1, key2) -> key2)); }
這裏只是簡單的使用後者覆蓋前者來解決key重複問題。code
toMap還有另外一個重載方法,能夠指定一個Map的具體實現,來收集數據:blog
public Map<String, Account> getNameAccountMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getUsername, Function.identity(), (key1, key2) -> key2, LinkedHashMap::new)); }
轉自:https://zacard.net/2016/03/17/java8-list-to-map/接口