Java8 (1)

参考资料:

  《Java8 in Action》 Raoul-Gabriel Urma

一、jdk8

  客观的说,Java8是一次有重大演进的版本,甚至很多人认为java8所做的改变,在许多方面都比Java历史上任何一次改变都深远。

    Scala,python这样优秀编程语言中对函数式编程的处理,guava中的理念等等....

  java8的代码更简洁...

  java8对并发编程更加友好,java一直努力让并发编程更为高效,出错更少,jdk1.0里有线程和锁,Java 5增加的工业模块,Thread pools和一大堆并发工具类, Java7增加了fork/join框架,Java8则对并行提供了一个新的思路

  新的API,例如Stream等  

  等等

二、通过行为参数化传递代码

首先有一个苹果类

   public static class Apple {private int weight = 0;private String color = "";public Apple(int weight, String color){this.weight = weight;this.color = color;}public Integer getWeight() {return weight;}public void setWeight(Integer weight) {this.weight = weight;}public String getColor() {return color;}public void setColor(String color) {this.color = color;}public String toString() {return "Apple{" +"color='" + color + '\'' +", weight=" + weight +'}';}}

 

1. 需求

  需要2个函数以供过滤出需要的苹果

public static List<Apple> filterApplesByColor(List<Apple> inventory, String color){List<Apple> result = new ArrayList<Apple>();for(Apple apple: inventory){if(apple.getColor().equals(color)){result.add(apple);}}return result;}public static List<Apple> filterApplesByWeight(List<Apple> inventory, int weight){List<Apple> result = new ArrayList<Apple>();for(Apple apple: inventory){if(apple.getWeight() > weight){result.add(apple);}}return result;}

上面的代码比较啰嗦,而且如果还有新的需求,依旧需要添加新的方法,以前的java实现函数就是静态方法。

2. 第一次改造

Java中封装行为的方式只能通过匿名类之类的方式。首先定义一个接口:

interface ApplePredicate{public boolean test(Apple a);}

于是方法变为:

public static List<Apple> filter(List<Apple> inventory, ApplePredicate p){List<Apple> result = new ArrayList<Apple>();for(Apple apple : inventory){if(p.test(apple)){result.add(apple);}}return result;}

在之前的java,用如下方式:

static class AppleWeightPredicate implements ApplePredicate{public boolean test(Apple apple){return apple.getWeight() > 150;}}static class AppleColorPredicate implements ApplePredicate{public boolean test(Apple apple){return "green".equals(apple.getColor());}}

2个新的实现类,从设计模式上是策略模式... 可以更灵活的扩展,但是感觉代码更啰嗦了...

当然你也可以不定义出类,使用匿名内部类,还是很啰嗦.

        List<Apple> redApples2 = filter(inventory, new ApplePredicate() {public boolean test(Apple a){return a.getColor().equals("red");}});

 

3. 使用Lambda表达式

List<Apple> result = filter(inventory ,(Apple apple)-> "red".equals(apple.getColor()));

jdk8中再进一步将Perdicate抽象为泛型类...

public interface Predicate<T> {boolean test(T var1);//....  
}

三、Lambda表达式

3.1 lambda简介

很多语言都支持lambda,例如python,可以把lambda表达式简单理解为表示可传递的匿名函数的一种方式: 它没有名称,但是有参数列表、函数主题、返回类型,可能还有一个异常列表.

  • 匿名 - 没有方法名
  • 函数 - Lambda不属于任何一个类。
  • 传递 - 可以做为参数传递给方法或者存储在变量中
  • 简洁

让我们来改造一段代码...

        Comparator<Apple> byWeight = new Comparator<Apple>() {@Overridepublic int compare(Apple o1, Apple o2) {return o1.getWeight().compareTo(o2.getWeight());}};Comparator<Apple> byWeight2 = (Apple a1, Apple a2) -> a1.getWeight() - a2.getWeight();

(Apple a1, Apple a2) 是Lambda的参数列表,加上一个小箭头,加上主体 a1.getWeight() - a2.getWeight()

 

Lambda的基本语法:

  (params) -> experssion

  (params) -> {statements;}

举例:

 (1) () -> {};

 (2) () -> "Raoul"

 (3) () -> {return "aaa";}

 (4) (int i) -> return "Al" + 1;

 (5) (String s) -> {"IronMan";}

上述中只有(4), (5) 不符合语法,(4)的主体是statements;需要用{},(5)的主体是statements,因此不能使用{}...

 

3.2 在哪里可以使用Lambda

1. 函数式接口

  函数是接口就是只定义了一个抽象方法的接口。 jdk8中接口还可以定义默认方法,哪怕有很多的默认方法,但是只要接口只定义了一个抽象方法,它就仍然是一个函数式接口。

  Lambda允许你把lambda表达式作为函数式接口的一个实现的实例

  

     MyInteface myInteface = (int i, int j) -> i+j;System.out.println(myInteface.add(1,2));public  interface MyInteface{int add(int i, int j);}

 

2. 函数式描述符

 函数式接口中有且只有一个方法,这个方法的签名就是lambda表达式的签名。这种抽象方法叫做函数描述符...

@FuntionalInterface?

  接口标注,表示接口会被设计为一个函数式接口。按照官方说法就是:  

  • The type is an interface type and not an annotation type, enum, or class.
  • The annotated type satisfies the requirements of a functional interface.

 

3.3 使用函数式接口

java.util.function包中引入了常用的函数式接口

1. Predicate

    public static <T> List<T> filte(List<T> list, Predicate<T> p){List<T> results = new ArrayList<T>();for (T t : list) {if (p.test(t)) results.add(t);}return results;}

Predicate中还有一些add, not等默认方法,暂不讨论...

2. Consumer

其中定义了一个accept()方法,没有返回值

    public static <T> void forEach(List<T> list, Consumer<T> c){for (T i : list) {c.accept(i);}}public static void main(String[] args) {forEach(Arrays.asList(1,2,3,4,5),(Integer i) -> {System.out.println(i);});}

 

3. Function

类似于Guava的Function,定义了一个apply的方法,例子中打印每个字符串的长度...

    public static <T, R> List<R> map(List<T> list, Function<T, R> f){List<R> result = new ArrayList<R>();for (T t : list) {result.add(f.apply(t));}return result;}public static void main(String[] args) {List<Integer> l = map(Arrays.asList("lambdas","in","action"),(String s) -> s.length());System.out.println(l);}

 

4. IntPredicate

自从jdk1.5之后就支持自动装箱inbox,但装箱之后比如将一个原始类型转换成了Integer,在heap划分一块内存分配等等,IntPredicate可以避免无谓的装箱..

IntPredicate evenNumbers = (int i) -> i%2 ==1;Predicate<Integer> predicate = (Integer i) -> i%2 ==1;

也可以说因为泛型往往不能使用基本类型

 

3.4 方法引用

方法引用可以被看做仅仅调用特定Lambda的一种快捷写法。例如

(Apple a) -> a.getWeight() 可以写成 Apple::getWeight

() -> Thread.currentThread.dumpStack() 可以写成 Thread.currentThread()::dumpStack

(str, i) -> str.substring(i) 可以写成 String:substring

(Sring s) -> System.out.println(s) 可以写成 System.out::println

 

如何构建方法引用?

(1) 静态方法,类的方法,例如Interger的parseInt Interger::parseInt

(2) 实例方法, String::length

(3) 指向现有方法的方法引用: expensiveTransaction::getValue

实例: 排序

使用Lambda表达式的用法

    public static void main(String[] args) {Comparator<String> comparator = (String s1,String s2) -> s1.compareToIgnoreCase(s2);List<String> l = Arrays.asList("a","b","A","B");Collections.sort(l,comparator);System.out.println(l);}

可换成:

Comparator<String> comparator = String::compareToIgnoreCase;List<String> l = Arrays.asList("a","b","A","B");Collections.sort(l,comparator);System.out.println(l);

构造函数引用...

 

3.5 Lambda表达式复合用法

1. 比较器复合

public static void main(String ... args){List<Apple> inventory = new ArrayList<>();inventory.addAll(Arrays.asList(new Apple(80,"green"), new Apple(155, "green"), new Apple(120, "red")));//1. 使用逆序
        inventory.sort(Comparator.comparing(Apple::getWeight).reversed());//2. 比较器链
        inventory.sort(Comparator.comparing(Apple::getWeight).reversed().thenComparing(Apple::getColor));}

比较器链中如果重量相同,就按颜色排序...

 

2. 谓词复合

    public static void main(String ... args){Predicate<Apple> redApple = (Apple a) -> "red".equals(a.getColor());Predicate<Apple> notRedApple = redApple.negate();Predicate<Apple> redAndHeavyApple = redApple.and(a -> a.getWeight()>150);Predicate<Apple> readAndHeavyOrGreenApple = redApple.and(a -> a.getWeight()>150).or(a -> "green".equals(a.getColor()));}

 

3. 函数复合

 以Function为例,实现类似于g(f(x))和f(g(x))的效果

    public static void main(String... args) {Function<Integer, Integer> f = x -> x + 1;Function<Integer, Integer> g = x -> x * 2;Function<Integer, Integer> h = f.andThen(g);Function<Integer, Integer> k = f.compose(g);System.out.println(h.apply(3));System.out.println(k.apply(3));}

 

转载于:https://www.cnblogs.com/carl10086/p/6035731.html

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

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

相关文章

[探索 .NET 6]02 比较 WebApplicationBuilder 和 Host

这是『探索 .NET 6』系列的第二篇文章&#xff1a;01 揭开 ConfigurationManager 的面纱02 比较 WebApplicationBuilder 和 Host在 .NET 中&#xff0c;有一种新的“默认”方法用来构建应用程序&#xff0c;即使用 WebApplication.CreateBuilder()。在这篇文章中&#xff0c;我…

python计算公式分母有0_你知道Python中的浮点除法和积分除法吗,python,float,整除,都...

从python2.2开始&#xff0c;便有两种除法运算符&#xff1a;"/"、"//"。两者最大区别在&#xff1a;python2.2前的版本和python2.2以后3.0以前的版本的默认情况下&#xff0c;"/"所做的除法是以一种两个数或者多个数出现一个浮点数结果就以浮点…

计算机科学概论(2)数据的操控和程序的执行

1.CPU是什么&#xff1f;它有什么作用&#xff1f;CPU(Central Processing Unit&#xff0c;中央处理器)负责操控数据在不同位置间的移动及对数据进行处理。它是计算机的核心部件。它主要由三个部分组成&#xff1a;算数/逻辑单元、控制单元、寄存器单元。算数逻辑单元负责在数…

都怪爱因斯坦没说清楚!竟有人相信一个粉笔头就能让全人类多喝100年的热水?...

全世界只有3.14 % 的人关注了爆炸吧知识一个粉笔头一共能释放多少能量爱因斯坦大家肯定都熟悉&#xff0c;相信也有很多朋友听说过质能方程。根据质能方程的公式&#xff0c;我们发现&#xff1a;似乎能量和质量是可以相互转化的。尤其是一些没有系统学习过相对论&#xff0c;又…

linux环境下用TcpDump抓包分析总结

1、手机IP 怎么知道手机ip,输入下面命令 adb shellifconfig 比如得到手机ip 2.0.0.1 2、目标IP 比如目标地址ip为10.0.0.1 3、抓包命令 我们不带端口命令如下 tcpdump -i any host 2.0.0.1 -nv 代码端口的命令如下(端口为50129) tcpdump -i any host 2.0.0.1 and port…

UVa 12100 - Printer Queue

刚A完图书系统那道题&#xff0c;然后看提交次数那个字典的比这道题多&#xff0c;看了看那道更新字典没有思路&#xff0c;就看了这道题&#xff0c;感觉这道题比更新字典简单多了。 #include<iostream> #include<queue> #include<map> using namespace std…

从微信云托管容器镜像的选择-alpine 说起

微信云托管 使用目前主流的容器平台Docker以及容器编排技术Kubernetes&#xff08;简称K8S&#xff09;&#xff0c;来管理你的项目。使用微信云托管需要掌握对Docker的使用&#xff0c;但你无需掌握K8S的使用方法。微信云托管将K8S的运维配置完全接手&#xff0c;你不需要关心…

H5移动开发AUI框架入门---博客园老牛大讲堂

大家都知道H5可以开发移动端的页面&#xff0c;网上提供的移动端的开发都有很多。因为我学习了AUI框架&#xff0c;所以我这里介绍一下移动端AUI框架。--博客园老牛大讲堂 一、AUI框架是什么&#xff1f;---博客园老牛大讲堂 AUI框架就是利用原生的js和css封装成的一些界面。当…

python画樱桃小丸子_每天坚持画画|简笔画练习“樱桃小丸子”

《樱桃小丸子》也是80后的经典回忆&#xff0c;特别是女生们。你们可能不知道如果按实际年龄来算小丸子今年已经52岁了(1965年5月8日出生)可想而知这部动画片的影响力有多大。【今日主题】《樱桃小丸子》樱桃子BY&#xff1a;网络&#xff0c;侵删【完成图】BY&#xff1a;纳豆…

linux操作命令等积累

1&#xff0c;启动服务&#xff1a;两种方式&#xff1a; /etc/init.d/networking start /etc/init.d/mysql start #:service mysql start service networking start(stop,restart) $:sudo service mysql start(stop,restart) 2, linux 程序安装位置&#xff1a;多数位于/v…

linux之gdb调试常用100个技巧

linux之gdb调试常用100个技巧 https://gitlore.com/page/gitlore-git/gdb_tips/index.html 如果不懂linux gdb调试的 看下这篇文章 详细解说

制造价值基本方程

财富来自于自然资源、生产制造和服务。 未经加工的自然资源是价值低或没有用的&#xff0c;服务也必须和生产制造联系起来才能增加财富。 生产制造是增加财富的核心手段。 ERP enterprise resources planning 企业资源计划 -- 是管理的理念和工具。 制造要回答的问题&#xff1…

.NET6使用DOCFX根据注释自动生成开发文档

本文内容来自我写的开源电子书《WoW C#》&#xff0c;现在正在编写中&#xff0c;可以去WOW-Csharp/学习路径总结.md at master sogeisetsu/WOW-Csharp (github.com)来查看编写进度。预计2021年年底会完成编写&#xff0c;2022年2月之前会完成所有的校对和转制电子书工作&…

Oracle数据库-主键(primary key)、外键(foreign key)、候选键(candidate key)、超键(super key)和references总结...

主要介绍一下个人对主键&#xff08;primary key&#xff09;、外键&#xff08;foreign key&#xff09;、候选键&#xff08;Candidate key&#xff09;、超键&#xff08;super key&#xff09;、references的总结 概念&#xff1a; 主键&#xff1a;用户选择元组标识的一个…

量子力学到底神奇在哪里?看完这个,我的认知彻底坍塌了

▲ 点击查看很多朋友应该都看过Facebook创始人扎克伯格给他的女儿讲量子力学的那张照片。扎克伯格在清华大学经济管理学院做演讲时&#xff0c;曾谈到&#xff1a;学习量子力学改变了他的思维方式。到底什么是量子力学&#xff1f;我们生活面对的物质尺度大约是厘米级到千米级之…

python开机号_感知机(python实现)

感知机(perceptron)是二分类的线性分类模型&#xff0c;输入为实例的特征向量&#xff0c;输出为实例的类别(取1和-1)。感知机对应于输入空间中将实例划分为两类的分离超平面。感知机旨在求出该超平面&#xff0c;为求得超平面导入了基于误分类的损失函数&#xff0c;利用梯度下…

linux 路由表设置 之 route 指令详解

使用下面的 route 命令可以查看 Linux 内核路由表。 [cpp] view plaincopy# route Destination Gateway Genmask Flags Metric Ref Use Iface 192.168.0.0 * 255.255.255.0 U 0 0 0 eth0 169.254.0.0 * …

10进制转化为16进制以内的转化

进制转化问题十进制转化为其它进制应该是比较简单的问题&#xff0c;就是一个%和/的问题&#xff0c;模之后再除就ok了 1 int a[1000];2 char c[]{0,1,2,3,4,5,6,7,8,9,A,B,C,D,E,F};3 int main()4 {5 int m,n,i,t,k;6 printf("十进制数&#xff1a;");7 …