另一个Java 8 Lamdbas和Streams示例

我一直落后于Java 8所关注的功能,因此在这篇文章中,我将简要介绍我对lambda和stream的初步经验。

和往常一样,我将专注于Podcast课程:

package org.codingpedia.learning.java.core;import java.util.Comparator;public class Podcast {int id;String title;String producer;int subscriptionsNumber;/** number of up votes(likes) */int upVotes;/** number of down votes*/int downVotes;public Podcast() {this.subscriptionsNumber = 0;}public Podcast(int id, String title, String producer, int subscriptionsNumber, int upVotes, int downVotes) {this.id = id;this.title = title;this.producer = producer;this.subscriptionsNumber = subscriptionsNumber;this.upVotes = upVotes;this.downVotes = downVotes;}public static final Comparator<Podcast> BY_POSITIVE_VOTES_DIFFERENCE =(left, right) -> (right.getUpVotes()-right.getDownVotes()) - (left.getUpVotes()-left.getDownVotes());@Overridepublic String toString() {return "Podcast{" +"title='" + title + '\'' +", producer='" + producer + '\'' +", upVotes=" + upVotes +", downVotes=" + downVotes +", subscriptionsNumber=" + subscriptionsNumber +'}';}public static String toJSON(Podcast p) {return "{" +"title:'" + p.title + '\'' +", producer:'" + p.producer + '\'' +", upVotes:" + p.upVotes +", downVotes:" + p.downVotes +", subscriptionsNumber:" + p.subscriptionsNumber +"}";}public int getUpVotes() {return upVotes;}public void setUpVotes(int upVotes) {this.upVotes = upVotes;}public int getDownVotes() {return downVotes;}public void setDownVotes(int downVotes) {this.downVotes = downVotes;}public String getTitle() {return title;}public void setTitle(String title) {this.title = title;}public String getProducer() {return producer;}public void setProducer(String producer) {this.producer = producer;}public int getSubscriptionsNumber() {return subscriptionsNumber;}public void setSubscriptionsNumber(int subscriptionsNumber) {this.subscriptionsNumber = subscriptionsNumber;}public int getId() {return id;}public void setId(int id) {this.id = id;}
}

我将在用lambda和流构建的不同操作中使用。 但是我这次让代码说明一切:

Lambda和流示例

package org.codingpedia.learning.java.core;import java.util.*;
import java.util.function.Predicate;
import java.util.stream.Collectors;public class LambdasAndStreams {public static void main(String[] args) {List<Podcast> podcasts  = Arrays.asList(//new Podcast(podcastId, title, producer, subscriptionsNumber, upVotes, downVotes),new Podcast(1, "Quarks&Co", "wdr", 50, 18, 1),new Podcast(2, "Angeklickt - zum Mitnehmen", "wdr", 10, 5, 1),new Podcast(3, "Leonardo im WDR 5-Radio zum Mitnehmen", "wdr", 12, 10, 5),new Podcast(4, "L'ESPRIT PUBLIC", "France culture", 3, 10, 1),new Podcast(5, "LA FABRIQUE DE L'HISTOIRE", "France culture", 10, 4, 1),new Podcast(6, "LES MATINS DE FRANCE CULTURE", "France culture", 46, 12, 8));System.out.println("*********** Display initial podcasts with forEach ************");podcasts.forEach(podcast -> System.out.println(podcast));System.out.println("\n\n********************** Sorting with lambdas ***********************");// Sort by titleSystem.out.println("\n*********** Sort by title (default alphabetically) - highlight comparator ************");Collections.sort(podcasts, Comparator.comparing(Podcast::getTitle));podcasts.forEach(podcast -> System.out.println(podcast));System.out.println("\n*********** Sort by numbers of subscribers DESCENDING - highlight reversed ************");Collections.sort(podcasts, Comparator.comparing(Podcast::getSubscriptionsNumber).reversed());podcasts.forEach(podcast -> System.out.println(podcast));System.out.println("\n*********** Sort by producer and then by title - highlight composed conditions************");Collections.sort(podcasts, Comparator.comparing(Podcast::getProducer).thenComparing(Podcast::getTitle));podcasts.forEach(podcast -> System.out.println(podcast));System.out.println("\n*********** Sort by difference in positive votes DESCENDING ************");Collections.sort(podcasts, Podcast.BY_POSITIVE_VOTES_DIFFERENCE);podcasts.forEach(podcast -> System.out.println(podcast));System.out.println("\n\n******************** Streams *************************");System.out.println("\n*********** Filter podcasts with more than 21 subscribers - highlight filters ************");podcasts.stream().filter((podcast)-> podcast.getSubscriptionsNumber() >= 21).forEach((podcast)->System.out.println(podcast));System.out.println("\n********* Filter podcasts from producer with more than 21 subscribers - highlight predicate **************");Predicate<Podcast> hasManySubscribers = (podcast) -> podcast.getSubscriptionsNumber() >= 21;Predicate<Podcast> wdrProducer = (podcast) -> podcast.getProducer().equals("wdr");podcasts.stream().filter(hasManySubscribers.and(wdrProducer)).forEach((podcast) ->System.out.println(podcast));System.out.println("\n********* Display popular podcasts - highlight \"or\" in predicate **************");Predicate<Podcast> hasManyLikes = (podcast) -> (podcast.getUpVotes()-podcast.getDownVotes()) > 8;podcasts.stream().filter(hasManySubscribers.or(hasManyLikes)).forEach((podcast) ->System.out.println(podcast));System.out.println("\n********* Collect subscription numbers - highlight \"mapToInt\" **************");int numberOfSubscriptions = podcasts.stream().mapToInt(Podcast::getSubscriptionsNumber).sum();System.out.println("Number of all subscriptions : " + numberOfSubscriptions);System.out.println("\n********* Display podcast with most subscriptions -highlight \"map reduce\" capabilities **************");Podcast podcastWithMostSubscriptions;podcastWithMostSubscriptions = podcasts.stream().map(podcast -> new Podcast(podcast.getId(), podcast.getTitle(), podcast.getProducer(), podcast.getSubscriptionsNumber(), podcast.getUpVotes(), podcast.getDownVotes())).reduce(new Podcast(),(pod1, pod2) -> (pod1.getSubscriptionsNumber() > pod2.getSubscriptionsNumber()) ? pod1 : pod2);System.out.println(podcastWithMostSubscriptions);System.out.println("\n********* Display podcasts titles in XML format -highlight \"map reduce\" capabilities **************");String titlesInXml ="<podcasts data='titles'>" +podcasts.stream().map(podcast -> "<title>" + podcast.getTitle() + "</title>").reduce("", String::concat)+ "</podcasts>";System.out.println(titlesInXml);System.out.println("\n********* Display podcasts in JSON format -highlight \"map reduce\" capabilities **************");String json =podcasts.stream().map(Podcast::toJSON).reduce("[", (l, r) -> l + (l.equals("[") ? "" : ",") + r)+ "]";System.out.println(json);System.out.println("\n********* Display sorted podcasts by title in JSON format -highlight \"map collect\" capabilities **************");String jsonViaCollectors =podcasts.stream().sorted(Comparator.comparing(Podcast::getTitle)).map(Podcast::toJSON).collect(Collectors.joining(",", "[", "]"));System.out.println(jsonViaCollectors);System.out.println("\n********* Select first 3 podcasts with most subscribers -highlight \"map collect\" capabilities **************");List<Podcast> podcastsWithMostSubscribers = podcasts.stream().sorted(Comparator.comparing(Podcast::getSubscriptionsNumber).reversed()).limit(3).collect(Collectors.toList());System.out.println(podcastsWithMostSubscribers);System.out.println("\n********* Get podcasts grouped by producer -highlight \"collector\" capabilities **************");Map<String, List<Podcast>> podcastsByProducer = podcasts.stream().collect(Collectors.groupingBy(podcast -> podcast.getProducer()));System.out.println(podcastsByProducer);}
}

资源资源

  1. Java 8中央
  2. Java 8:Lambdas,第1部分
  3. Java 8:Lambdas,第2部分

翻译自: https://www.javacodegeeks.com/2015/03/yet-another-java-8-lamdbas-and-streams-example.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/359985.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

ArrayList和数组间的相互转换

开发中不免碰到List与数组类型之间的相互转换&#xff0c;举一个简单的例子&#xff1a; package test.test1; import java.util.ArrayList; import java.util.List; public class Test { /** * param args */ public static void main(String[] args) { List listne…

计算机二进制基础列式,计算机基础;十进制数100对应的二进制数、八进制数和十六进制数分别是...

中计数采用了多种记数制,比如&#xff1a;十进制,六十进制(六十秒为一分,六十分为一小时,即基数为60,运算规则是逢六十进一),…….在计算机中常用到十进制数、二进制数、八进制数、十六进制数等,下面就这几种在计算机中常用的数制来介绍一下.1&#xff0e;十进制数我们平时数数…

第一个被赋予公明身份的机器人_一文读懂机器人的“眼睛”

看过漫威电影的同学都知道&#xff0c;钢铁侠在装甲里一眨眼&#xff0c;就通过眼球追踪操控人机互动&#xff0c;集黑科技于一身的装备简直不要太炫酷。如今&#xff0c;我们再回头看钢铁侠的AI识别系统&#xff0c;不禁思考这背后的视觉技术。如何让机器人像人类一样获取视觉…

Dede cms文章内容管理系统安全漏洞!如何有效防止DEDE织梦系统被挂木马安全设置...

第一、安装Dede的时候数据库的表前缀&#xff0c;最好改一下&#xff0c;不要用dedecms默认的前缀dede_,可以改成ljs_,随便一个无规律的、难猜到的前缀即可。 第二、后台登录一定要开启验证码功能&#xff0c;将默认管理员admin删除&#xff0c;改成一个自己专用的&#xff0c;…

太和二中计算机考试,安徽省太和二中高二数学下册期末考试试题精选

安徽省太和二中高二数学下册期末考试试题精选一.选择题(50分)1.设 是两条不同的直线, 是两个不同的平面,下列命题中正确的是( D )A . 若 , , ,则 B.若 , , ,则C.若 , , ,则 D.若 , , ,则2. 若 &#xff0c;则函数 的两个零点分别位于区间( A )A. 和 内 B. 和 内 C. 和 内 D. 和…

git获取本地版本号_Git使用小结

Git1.Git介绍Git是一个开源的分布式版本控制系统&#xff0c;是 Linus Torvalds 为了帮助管理 Linux 内核开发而开发的一个开放源码的版本控制软件&#xff0c;Git可以使用本地创建仓库与网络仓库&#xff0c;解决了集中管理型版本控制软件存在的一些问题(CVS、VSS、SVN)。2.Gi…

计算机翻译字串符,字符的计算机处理和显示 外文翻译.doc

字符的计算机处理和显示 外文翻译本科毕业设计(论文)外文翻译英文翻译英文ON COMPUTERISATION AND REPRESENTATIONOF CHARACTERSThe commercial need to computerise contours of objects has intensified over recent years as more and more applications endeavour to seek …

sql server2008如何创建外键

原文地址&#xff1a;http://blog.csdn.net/zuozuo1245/article/details/8644115 以前创建数据库时就是有主键的创建了主键&#xff0c;但是表之间的关系没有联系&#xff0c;要建数据库关系图只有主键没有外键时不行的。 建外键的前提是此外键必须是另外一个表的主键。建外键的…

Hibernate陷阱

我已经使用Hibernate已有一段时间了&#xff0c;当我一段时间不使用Hibernate项目时&#xff0c;发现自己犯的错误与上次相同。 因此&#xff0c;这是我的监视清单&#xff0c;希望对其他人也有用。 实现hashCode和equals 通常&#xff0c;应该始终实现这些方法&#xff0c;但…

字符集_第07期:有关 MySQL 字符集的 SQL 语句

本篇为理清字符集的续篇(上一篇&#xff1a;第06期&#xff1a;梳理 MySQL 字符集的相关概念)&#xff0c;重点讲述字符集涉及到的 sql 语句用法。一、character introducer翻译过来就是字符引导。也就是针对字符串&#xff0c;显式的给定一个字符编码和排序规则&#xff0c;不…

c语言main函数的参数argc,argv说明

main函数参数argc&#xff0c;argv说明 C/C语言中的main函数&#xff0c;经常带有参数argc&#xff0c;argv&#xff0c;如下&#xff1a; int main(int argc, char** argv) int main(int argc, char* argv[]) 这两个参数的作用: argc 是指命令行输入参数的个数(以空白符分隔)…

怎么调整计算机显示屏,电脑显示器怎样调大屏幕

电脑显示器怎样调大屏幕你们知道怎么调整电脑显示器的屏幕吗?下面是应届毕业生小编带来的关于电脑显示器怎样调大屏幕的内容&#xff0c;欢迎阅读!电脑显示器怎样调大屏幕?以前的xp系统是在桌面点击右键然后选择属性&#xff0c;在属性里设置分辨率的。而win7则有点不同&…

使用jstat报告自定义JVM指标集

我一直缺少在JStat中配置自定义标头的可能性 。 当然&#xff0c;有很多预定义的数据集&#xff0c;但是如果我们可以创建自己的数据集&#xff0c;那就更好了。 正如您可能已经设计的那样&#xff0c;我正在写这篇文章&#xff0c;因为这样的功能当然可用&#xff1a;)不幸的是…

XP退役对整个互联网安全的问题

如果你的电脑还是XP&#xff0c;那么请你看看我写的内容吧。 4月8好微软结束支持之后依然可以运行XP和office2003&#xff0c;但是会带来潜在风险&#xff0c;首先为安全性和合规性分析&#xff0c;比如黑客攻击&#xff1b;其次为缺少软硬件支持&#xff0c;许多电脑硬件和…

python在线教育平台项目面试_【松勤软件自动化测试】selenium+python面试题目总结...

1. WebDriver原理webDriver是按照client/server模式设计&#xff0c;client就是我们的测试代码&#xff0c;发送请求&#xff0c;server就是打开的浏览器来打开client发出的请求并做出响应。具体的工作流程&#xff1a;webdriver打开浏览器并绑定到指定端口。启动的浏览器作为r…

win7打开计算机死机,win7系统进入桌面总是死机或者卡死怎么办

??最近有位深度技术win7旗舰版用户的电脑总是在进入桌面的时候莫名其妙的死机或者卡死&#xff0c;遇到这种情况我们应该怎么办呢&#xff1f;我们可以通重启资源管理器来解决屏幕卡死的问题&#xff0c;首先我们要打开任务管理器&#xff0c;下面由小编来跟大家介绍一下win7…

二级计算机excel以宏保存,Excel宏保存

2 个答案:答案 0 :(得分&#xff1a;3)像这样 -Sub SaveSheet()Dim wbkDashboard As WorkbookDim wsTarget As WorksheetSet wsTarget Thisworkbook.worksheets("Sheet1")Dim strFileName As StringstrFileName wsTarget.Range("B8").Value _& Forma…

以太网例程_开关量转以太网的应用

由于工业以太网的快速冗余自愈能力以及实时性方面问题的逐步解决&#xff0c;工业以太网技术正在逐步深入至工业控制网络的现场设备层应用&#xff0c;即直接基于工业以太网通信来控制现场设备的运行&#xff0c;利用开关量控制模块提供的以太网转开关量功能&#xff0c;计算机…

hbase+hive应用场景

一.Hive应用场景本文主要讲述使用 Hive 的实践&#xff0c;业务不是关键&#xff0c;简要介绍业务场景&#xff0c;本次的任务是对搜索日志数据进行统计分析。集团搜索刚上线不久&#xff0c;日志量并不大 。这些日志分布在 5 台前端机&#xff0c;按小时保存&#xff0c;并以小…

CPU缓存越大计算机的性能越好,CPU缓存真的越大越好?小心你的钱包

除了内存和硬盘&#xff0c;电脑还有一种超快速的存储设备&#xff0c;就是CPU缓存当你想到你电脑当中的存储设备时&#xff0c;你可能想到的是DDR内存、显卡上的显存、或者更有可能只是机械硬盘和SSD。但其实还有一种超快速的存储设备&#xff0c;对我们习以为常的、现代电脑的…