經常使用方式java
public Map<Long, String> getIdNameMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getId, Account::getUsername)); }
收集成實體自己mapapp
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())); }
重複keyide
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衝突問題: public Map<String, Account> getNameAccountMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getUsername, Function.identity(), (key1, key2) -> key2)); } //這裏只是簡單的使用後者覆蓋前者來解決key重複問題。
指定具體收集的map函數
public Map<String, Account> getNameAccountMap(List<Account> accounts) { return accounts.stream().collect(Collectors.toMap(Account::getUsername, Function.identity(), (key1, key2) -> key2, LinkedHashMap::new)); }
普通分組code
accounts.stream() .collect(Collectors.groupingBy(Account::getUsername));
分組,而後取最大的值對象
Map<Integer, Optional<Users>> collect = users.stream() .collect(Collectors.groupingBy(Users::getAge, Collectors.maxBy(Comparator.comparing(Users::getId))));
分組,分組求和接口
Map<Integer, Optional<Users>> collect = users.stream() .collect(Collectors.groupingBy(Users::getName, Collectors.summingInt(User::getAge)));
分組後,把原始對象進行轉換爲新的對象get
Map<Integer, List<String>> collect = users.stream() .collect(Collectors.groupingBy(Users::getAge, Collectors.mapping( item ->{ //固然你這裏也能夠構建一個新的對象,進行返回 return item.getName(); }, Collectors.toList())));
// 獲取全部薪資大於 15000 的員工人數 long count = emps.stream() .filter((x)->x.getSalary() > 15000).count();
// 獲取全部薪資大於 15000 的員工人數 long count = emps.stream().map(Employee::getSalary).max(Double::compare);
// 獲取全部薪資大於 15000 的員工人數 long count = emps.stream().min((x,y)->Double.compare(x.getSalary(), y.getSalary()));
//求集合元素只和 Integer result = stream.reduce(0, Integer::sum);
//求最大值 stream.reduce(Integer::max)
//求最小值 stream.reduce(Integer::min)
//求集合元素只和 Integer result = stream.reduce(0, Integer::sum);
//求邏輯求伺機 int result2 = stream.filter(i -> i % 2 == 0).reduce(1, (i, j) -> i * j);