Java8中map与flatMap⽤法
⽬录
1 概述
Java8中⼀些新特性在平时⼯作中经常会⽤到,但有时候总感觉不是很熟练,今天特意将这个Java8中的映射记录⼀下。
2 map与flatMap
map---对集合中的元素逐个进⾏函数操作映射成另外⼀个
flatMap---接收⼀个函数作为参数,将流中的每个值都转换为另⼀个流,然后把所有的流都连接成⼀个流。
map举例1:将对象中的元素进⾏函数操作后提取
@Test
public void test(){
List<Employee> employees = Arrays.asList(
new Employee(1, "张三", 23, "郑州", "合法"),
new Employee(2, "李四", 24, "合肥", "合法"),
new Employee(3, "王五", 25, "青岛", "合法"),
new Employee(4, "王⼆⿇⼦", 26, "上海", "合法"),
new Employee(5, "赵⼦龙", 27, "北京", "合法")
);
//将集合中的每⼀个元素取出放⼊函数中进⾏操作,⽐如:将年龄提取出来并且每⼀个⼈的年龄都减1
List<Integer> collect = employees.stream().map(employee -> Age() - 1).List());
System.out.println(collect);
}
map举例2:对集合中的元素直接进⾏转换
@Test
public void test(){
List<String> stringList = Arrays.asList("aaa", "bbb", "ccc", "ddd");
List<String> collect1 = stringList.stream()
.map(String::toUpperCase)
.List());
System.out.println(collect1);
}
map⽤法:就是将⼀个函数传⼊map中,然后利⽤传⼊的这个函数对集合中的每个元素进⾏处理,并且将处理后的结果返回。 需求1:对于给定的单词列表["Hello","World"],你想返回列表["H","e","l","o","W","r","d"]
先⽤map操作看是否成功:
@Test
public void test(){
List<String> stringList = Arrays.asList("hello", "world");
List<String[]> collect = stringList.stream()
.map(str -> str.split(""))
.distinct().List());
collect.forEach(col-> System.out.String(col)));
}
⼤家可以看到返回结果是 两个数组,并没有达到我们的要求。map的操作只是将元素放⼊map中的函数中使其返回另⼀个
Stream<String[]>类型的,但我们真正想要的是⼀个Stream[String]类型的,所以我们需要扁平化处理,将多个数组放⼊⼀个数组中
看下flatMap的操作:
@Test
public void test(){
List<String> stringList = Arrays.asList("hello", "world");
List<String> collect = stringList.stream()
.map(str -> str.split(""))
java中split的用法.flatMap(Arrays::stream)
.distinct()
.List());
System.out.println(collect);
}
flatmap⽤法:使⽤flatMap的效果是,各个数组并不是分别映射⼀个流,⽽是映射成流的内容,所有使⽤flatMap(Arrays::stream)时⽣成的单个流被合并起来,扁平化成了⼀个流。
3 常⽤写法
将对象中的某⼀属性放⼊list中并收集起来
@Test
public void test(){
List<Employee> employees = Arrays.asList(
new Employee(1, "张三", 23, "郑州", "合法"),
new Employee(2, "李四", 25, "合肥", "合法"),
new Employee(3, "王五", 26, "青岛", "合法"),
new Employee(4, "王⼆⿇⼦", 27, "上海", "合法"),
new Employee(5, "赵⼦龙", 28, "北京", "合法")
);
List<List<String>> collect = employees.stream().map(employee -> {
List<String> list = new ArrayList<>();
list.Name());
return list;
}).List());
System.out.println(collect);
版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。
发表评论