1 forEach
forEach
用于遍历元素。
1.1 准备数据
List<Employee>
:
List<Employee> employeeList = new ArrayList<>();
employeeList.add(new Employee("Alice", 23, "London", 1200.00));
employeeList.add(new Employee("Bob", 19, "London", 2000.00));
employeeList.add(new Employee("Charles", 25, "New York", 1650.00));
employeeList.add(new Employee("Dorothy", 20, "Hong Kong", 1200.00));
Map<String, Employee>
:
// key - name, value - Employee
Map<String, Employee> map1 = employeeList.stream()
.collect(toMap(Employee::getName, Function.identity()));
Person
:
public class Person {
private String userName;
private Integer age;
public Person() {
}
public String getUserName() {
return userName;
}
public void setUserName(String userName) {
this.userName = userName;
}
public Integer getAge() {
return age;
}
public void setAge(Integer age) {
this.age = age;
}
}
1.2 在List
中使用forEach
例子:
(1)获取所有Employee
的name
List<String> names = new ArrayList<>();
employeeList.forEach(employee -> names.add(employee.getName()));
1.3 在Map
中使用forEach
例子:
(1)获取所有Employee
的人员信息
List<String> personInfos = new ArrayList<>();
map1.forEach((key, value) -> personInfos.add(key + "/" + value.getAge() + "/" + value.getCity()));
2 filter
filter
用于过滤元素。
2.1 通过filter()
过滤元素,通过collect()
收集元素
例子:
(1)筛选出住在London
的Employee
List<Employee> afterFilter = employeeList.stream()
.filter(employee -> "London".equals(employee.getCity()))
.collect(toList());
2.2 filter()
、findAny()
、orElse()
配合使用
filter()
、findAny()
、orElse()
配合使用,可以根据条件获取某个元素,如果没有返回指定的值。
2.2.1 单条件
例子:
(1)找到名字为Alice
的任何一个对象,如果不存在返回null
Employee alice = employeeList.stream()
.filter(employee -> "Alice".equals(employee.getName()))
.findAny()
.orElse(null);
2.2.2 多条件
例子:
(1)根据city
和age
筛选对象
Employee result = employeeList.stream()
.filter(employee -> ("London".equals(employee.getCity()) && employee.getAge() < 20))
.findAny()
.orElse(null);
2.3 通过filter()
过滤,通过map()
转换
有时候经过筛选之后,我们想得到的可能不是对象本身,而是对象中的一个属性,可以通过map
转换。
例子:
(1)找到名字为Alice
的任何一个对象,返回它的属性,如果不存在返回""
String attribute = employeeList.stream()
.filter(employee -> "Alice".equals(employee.getName()))
.map(employee -> (employee.getName() + "/" + employee.getAge() + "/" + employee.getCity()))
.findAny()
.orElse("");
3 map
通过map
可以将一种类型的对象转换成另一种类型的对象。
3.1 简单的同类型转换
(1)小写字母转换为大写字母
List<String> arrayBefore = Arrays.asList("a", "b", "c", "d");
List<String> arrayAfter = arrayBefore.stream()
.map(String::toUpperCase)
.collect(toList());
3.2 获取对象集合的某个属性集合
可以通过map
提取对象集合的某个属性集合。
例子:
(1)获取List<Employee>
中的name
集合
List<String> nameList = employeeList.stream()
.map(Employee::getName)
.collect(toList());
3.3 一种类型的对象集合转换成另一种类型的对象集合
例子:
(1)将List<Employee>
转换为List<Person>
List<Person> personList = employeeList.stream()
.map(employee -> {
Person person = new Person();
person.setName(employee.getName());
return person;
})
.collect(toList());