比如一个集合有很多对象,每个对象有很多属性[{name:王五,age:13,socre:44}]
如何通过stream获取指定属性的对象集合,例如[{name:王五,socre:44}]
stream().map(e->e.name,e.score)
这样写好像不行
比如一个集合有很多对象,每个对象有很多属性[{name:王五,age:13,socre:44}]
如何通过stream获取指定属性的对象集合,例如[{name:王五,socre:44}]
stream().map(e->e.name,e.score)
这样写好像不行
集合里面是对象,每个对象都会有所有的属性,只不过有的属性有值,有的属性是null。
Student s1 = new Student("aa", 10);
Student s2 = new Student("bb", 20);
List<Student> studentList = Arrays.asList(s1, s2);
studentList.stream()
.peek(o -> o.setAge(100))
.forEach(System.out::println);
//结果:
Student{name='aa', age=100}
Student{name='bb', age=100}
你可以不对外展示为null的属性,但是这个对象都会有这个属性,属性不能删除,属性值可以删除。
除非你更换对象,把数据用另外一个对象接收。
如果你只想要集合里面的某个属性值,可以用单独拿出来。
Student s1 = new Student("aa", 10,1);
Student s2 = new Student("bb", 20,2);
Student s3 = new Student("cc", 10,3);
List<Student> list = Arrays.asList(s1, s2, s3);
//装成list
List<Integer> ageList = list.stream().map(Student::getAge).collect(Collectors.toList()); // [10, 20, 10]
//转成set
Set<Integer> ageSet = list.stream().map(Student::getAge).collect(Collectors.toSet()); // [20, 10]
//转成map,注:key不能相同,否则报错
Map<String, Integer> studentMap = list.stream().collect(Collectors.toMap(Student::getName, Student::getAge)); // {cc=10, bb=20, aa=10}
//字符串分隔符连接
String joinName = list.stream().map(Student::getName).collect(Collectors.joining(",", "(", ")")); // (aa,bb,cc)