一、Streams(流)?
java.util.Stream 表示能应用在一组元素上一次执行的操作序列。Stream 操作分为中间操作或者最终操作两种,最终操作返回一特定类型的计算结果,而中间操作返回Stream本身,这样你就可以将多个操作依次串起来。Stream 的创建需要指定一个数据源,比如 java.util.Collection 的子类,List 或者 Set, Map 不支持。Stream 的操作可以串行执行或者并行执行。
二、具体使用
1.Filter(过滤)
过滤通过一个predicate接口来过滤并只保留符合条件的元素,该操作属于中间操作,所以我们可以在过滤后的结果来应用其他Stream操作(比如forEach)。forEach需要一个函数来对过滤后的元素依次执行。forEach是一个最终操作,所以我们不能在forEach之后来执行其他Stream操作。 代码如下(过滤开头字母为a的字符串):
stringList.stream().filter((s) -> s.startsWith("a")).forEach(System.out::println);
2.Sorted(排序)
排序是一个 中间操作,返回的是排序好后的 Stream。如果你不指定一个自定义的 Comparator 则会使用默认排序。 代码如下(示例):
stringList.stream().sorted().filter((s) -> s.startsWith("a")).forEach(System.out::println);
排序只创建了一个排列好后的Stream,而不会影响原有的数据源,排序之后原数据stringCollection是不会被修改的
3.Map(映射)
中间操作 map 会将元素根据指定的 Function 接口来依次将元素转成另外的对象,map返回的Stream类型是根据你map传递进去的函数的返回值决定的。
stringList.stream().map(String::toUpperCase)
.sorted((a, b) -> b.compareTo(a)).forEach(System.out::println);
4.实体类集合某一属性转成list
List<Long> assetIds = entityPlaybills.stream().map(EntityPlaybill::getAssetId)
.collect(Collectors.toList());
5.实体类集合转成map
1.key具体属性值,value实例对象
Map<String, LiveEventInfo> infoMap =
liveEventInfos.stream().collect(Collectors.toMap(LiveEventInfo::getName, Function.identity(),
(key1, key2) -> key2));
2.key具体属性值,value具体属性值
Map<Long,Integer> map = secondChannelInfos.stream().
collect(Collectors.toMap(SecondChannelInfo::getSecondChannelId, SecondChannelInfo::getFastStrip));
6.list集合属性去重
List<Long> noDeleted = outChannelRepository.findByDeleted(0)
.stream().map(OutChannelInfo::getOutChannelId).distinct().collect(Collectors.toList());
7.list集合属性过滤
1.
Map<Long, String> outMap = outChannelRepository.findByOutChannelIdIn(longs)
.stream().filter(s->s.getDeleted()==0)
.collect(Collectors.toMap(OutChannelInfo::getOutChannelId, OutChannelInfo::getName));
2.
List<String> stringList = outChannelResourceInfoList
.stream().filter(e -> Objects.nonNull(e.getSTaskId()))
.map(OutChannelResourceInfo::getSTaskId).collect(Collectors.toList());
8.reduce函数
String emails = byIdIn.stream()
.map(NoticeGroupInfo::getEmail).reduce((a,b) -> a+","+b).orElse("");
9.list实体类集合转换成一个新的实体类集合
List<EntityPlayBillLabelInfo> list = map.entrySet()
.stream().map(c -> new EntityPlayBillLabelInfo(c.getKey(), c.getValue()))
.collect(Collectors.toList());
|