进来Java8势头很猛,以前的知识面临再次更新。虽然在oracle已经一年多了,一直都没怎么好好地把英文文档啃好。看到oralce的文档都已经更新到Java8了,没理由不仔细阅读下。这个可比市面上一大批的书籍精良多了。废话不多说,每周都更新一篇,不过由于英文有限,有些词汇把握不准。大家就着英文一起看把。
这次先以lamda表达式开始,将原文和译文放在一起便于对照。 :)
=====================================================================================================
Lambda 表达式
The previous section, Anonymous Classes, shows you how to implement a base class without giving it a name. Although this is often more concise than a named class, for classes with only one method, even an anonymous class seems a bit excessive and cumbersome. Lambda expressions let you express instances of single-method classes more compactly.
-
使用Lamda表达式的理想实例
- 方法1:创建通过某个特征能够搜索出成员的方法
- 途径2:创建更通用的搜索方法
- 途径3:在一个本地类中指定搜索条件
- 方法4:在匿名内部类中指定搜索条件
- 方法5:用lamda表达式指定搜索条件对应的代码
- 方法6:共同使用lamda表达式和标准的函数式接口
- 方法7:使用lamba表达式遍及你的应用
- 方法8:更广泛地使用泛型
- 方法9:使用聚合操作接受多个lamda表达式做参数
- GUI应用中的lambda表达式
- Lamda表达式的语法
- 访问作用域中的局部变量
-
Target Typing
- 目标类型和方法参数
- 序列化
-
Ideal Use Case for Lambda Expressions
- Approach 1: Create Methods That Search for Members That Match One Characteristic
- Approach 2: Create More Generalized Search Methods
- Approach 3: Specify Search Criteria Code in a Local Class
- Approach 4: Specify Search Criteria Code in an Anonymous Class
- Approach 5: Specify Search Criteria Code with a Lambda Expression
- Approach 6: Use Standard Functional Interfaces with Lambda Expressions
- Approach 7: Use Lambda Expressions Throughout Your Application
- Approach 8: Use Generics More Extensively
- Approach 9: Use Aggregate Operations That Accept Lambda Expressions as Parameters
- Lambda Expressions in GUI Applications
- Syntax of Lambda Expressions
- Accessing Local Variables of the Enclosing Scope
- Target Typing
- Serialization
Ideal Use Case for Lambda Expressions
Field | Description |
---|---|
用例名称 | 对所选人员执行动作 |
主要角色 | 管理员 |
前置条件 | 管理员已登陆系统 |
后置条件 | 只对满足特定条件的成员执行该动作 |
成功执行的主场景 |
|
扩展项(备选事件) | 1a. 管理员在指定要动作或点击提交前,能够通过某个选项预览到符合命中条件的人员。 |
出现频率 | 每天多次 |
Field | Description |
---|---|
Name | Perform action on selected members |
Primary Actor | Administrator |
Preconditions | Administrator is logged in to the system. |
Postconditions | Action is performed only on members that fit the specified criteria. |
Main Success Scenario |
|
Extensions | 1a. Administrator has an option to preview those members who match the specified criteria before he or she specifies the action to be performed or before selecting the Submit button. |
Frequency of Occurrence | Many times during the day. |
Person
class:
public class Person {
public enum Sex {
MALE, FEMALE
}
String name;
LocalDate birthday;
Sex gender;
String emailAddress;
public int getAge() {
// ...
}
public void printPerson() {
// ...
}
}
List<Person>
instance.
RosterTest
.
- 方法1:创建通过某个特征能够搜索出成员的方法
Approach 1: Create Methods That Search for Members That Match One Characteristic
public static void printPersonsOlderThan(List<Person> roster, int age) {
for (Person p : roster) {
if (p.getAge() >= age) {
p.printPerson();
}
}
}
Person
class such that it contains different member variables; perhaps the class records and measures ages with a different data type or algorithm. You would have to rewrite a lot of your API to accommodate this change. In addition, this approach is unnecessarily restrictive; what if you wanted to print members younger than a certain age, for example?
Approach 2: Create More Generalized Search Methods
printPersonsOlderThan
; it prints members within a specified range of ages:
public static void printPersonsWithinAgeRange(
List<Person> roster, int low, int high) {
for (Person p : roster) {
if (low <= p.getAge() && p.getAge() < high) {
p.printPerson();
}
}
}
Person
class and add other attributes such as relationship status or geographical location? Although this method is more generic than printPersonsOlderThan
, trying to create a separate method for each possible search query can still lead to brittle code. You can instead separate the code that specifies the criteria for which you want to search in a different class.
途径3:在一个本地类中指定搜索条件
Approach 3: Specify Search Criteria Code in a Local Class
public static void printPersons(
List<Person> roster, CheckPerson tester) {
for (Person p : roster) {
if (tester.test(p)) {
p.printPerson();
}
}
}
Person
instance contained in the List
parameter roster
whether it satisfies the search criteria specified in the CheckPerson
parameter tester
by invoking the method tester.test
. If the method tester.test
returns a true
value, then the method printPersons
is invoked on the Person
instance.
CheckPerson
interface:
interface CheckPerson {
boolean test(Person p);
}
CheckPerson
interface by specifying an implementation for the method test
. This method filters members that are eligible for Selective Service in the United States: it returns atrue
value if its Person
parameter is male and between the ages of 18 and 25:
class CheckPersonEligibleForSelectiveService implements CheckPerson {
public boolean test(Person p) {
return p.gender == Person.Sex.MALE &&
p.getAge() >= 18 &&
p.getAge() <= 25;
}
}
printPersons
method:
printPersons(
roster, new CheckPersonEligibleForSelectiveService());
CheckPersonEligibleForSelectiveService
实现了这个接口,你可以使用匿名内部类来替代局部类的实现方式,而且你无需为每一个搜索条件都定义一个新的类。
Person
—you still have additional code: a new interface and a local class for each search you plan to perform in your application. Because CheckPersonEligibleForSelectiveService
implements an interface, you can use an anonymous class instead of a local class and bypass the need to declare a new class for each search.
方法4:在匿名内部类中指定搜索条件
Approach 4: Specify Search Criteria Code in an Anonymous Class
下面的这个printPersons
调用方法包含一个匿名内部类的参数,它可以过滤出美国符合服兵役的人员:这些人都是男性并且年龄在18至25岁之间。
printPersons
is an anonymous class that filters members that are eligible for Selective Service in the United States: those who are male and between the ages of 18 and 25:
printPersons(
roster,
new CheckPerson() {
public boolean test(Person p) {
return p.getGender() == Person.Sex.MALE
&& p.getAge() >= 18
&& p.getAge() <= 25;
}
}
);
CheckPerson
接口只有一个方法。在这种场景下,你可以使用下面介绍到的lambda 表达式来替代匿名内部类。
CheckPerson
interface contains only one method. In this case, you can use a lambda expression instead of an anonymous class, as described in the next section.
方法5:用lamda表达式指定搜索条件对应的执行代码
Approach 5: Specify Search Criteria Code with a Lambda Expression
CheckPerson
接口是一个函数式的接口。任何只包含一个抽象方法的接口称为一个函数式接口。(一个函数式接口也许包含一个或多个default方法或static方法)因为函数式接口只有一个抽象方法,当你实现时,你可以省去这个方法的名称。为了做到这点,你可以使用lamda表达式而不是匿名内部类表达式,在下面这个方法中高亮标示出lamda表达式的实现:
CheckPerson
interface is a functional interface. A functional interface is any interface that contains only one abstract method. (A functional interface may contain one or more default methods or static methods.) Because a functional interface contains only one abstract method, you can omit the name of that method when you implement it. To do this, instead of using an anonymous class expression, you use alambda expression, which is highlighted in the following method invocation:
printPersons(
roster,
(Person p) -> p.getGender() == Person.Sex.MALE && p.getAge() >= 18 && p.getAge() <= 25
);
CheckPerson
, which reduces even further the amount of code required.
方法6:一起使用lamda表达式和标准的函数式接口
Approach 6: Use Standard Functional Interfaces with Lambda Expressions
CheckPerson
interface:
interface CheckPerson {
boolean test(Person p);
}
boolean
value. The method is so simple that it might not be worth it to define one in your application. Consequently, the JDK defines several standard functional interfaces, which you can find in the package java.util.function
.
boolean test(T t)方法:
Predicate<T>
interface in place of CheckPerson
. This interface contains the method boolean test(T t)
:
interface Predicate<T> {
boolean test(T t);
}
Predicate<Person>
如下所示:
Predicate<T>
is an example of a generic interface. (For more information about generics, see the Generics (Updated) lesson.) Generic types (such as generic interfaces) specify one or more type parameters within angle brackets (<>
). This interface contains only one type parameter, T
. When you declare or instantiate a generic type with actual type arguments, you have a parameterized type. For example, the parameterized type Predicate<Person>
is the following:
interface Predicate<Person
> {
boolean test(Person
t);
}
CheckPerson.boolean test(Person p)一样,
具有相同的返回类型和参数,你可以使用Predicate<T>
替代CheckPerson,如
下所示 :
CheckPerson.boolean test(Person p)
. Consequently, you can use Predicate<T>
in place of CheckPerson
as the following method demonstrates:
public static void printPersonsWithPredicate(
List<Person> roster, Predicate<Person> tester) {
for (Person p : roster) {
if (tester.test(p)) {
p.printPerson();
}
}
}
printPersons
一样,可以获得符合服兵役的人员:
printPersons
in Approach 3: Specify Search Criteria Code in a Local Class to obtain members who are eligible for Selective Service:
printPersonsWithPredicate(
roster,
p -> p.getGender() == Person.Sex.MALE
&& p.getAge() >= 18
&& p.getAge() <= 25
);
方法7:在你的应用中广泛地使用lamba表达式
Approach 7: Use Lambda Expressions Throughout Your Application
printPersonsWithPredicate
,再看下是否还有别的什么地方可以使用lamda表达式
printPersonsWithPredicate
to see where else you could use lambda expressions:
public static void printPersonsWithPredicate(
List<Person> roster, Predicate<Person> tester) {
for (Person p : roster) {
if (tester.test(p)) {
p.printPerson();
}
}
}
Predicate
tester参数中的条件。如果tester.test方法返回一个true值,Peson实例中的printPerson方法将会被调用。
Person
instance contained in the List
parameter roster
whether it satisfies the criteria specified in the Predicate
parameter tester
. If the Person
instance does satisfy the criteria specified by tester
, the method printPersron
is invoked on the Person
instance.
printPerson
, you can specify a different action to perform on those Person
instances that satisfy the criteria specified by tester
. You can specify this action with a lambda expression. Suppose you want a lambda expression similar to printPerson
, one that takes one argument (an object of type Person
) and returns void. Remember, to use a lambda expression, you need to implement a functional interface. In this case, you need a functional interface that contains an abstract method that can take one argument of type Person
and returns void. The Consumer<T>
interface contains the method void accept(T t)
, which has these characteristics. The following method replaces the invocation p.printPerson()
with an instance of Consumer<Person>
that invokes the method accept
:
public static void processPersons(
List<Person> roster,
Predicate<Person> tester,
Consumer<Person> block) {
for (Person p : roster) {
if (tester.test(p)) {
block.accept(p);
}
}
}
printPersons方法的调用
一样可以获得服兵役的人员。下面用lamda表达式打印印其中的人员并且高亮显示。
printPersons
in Approach 3: Specify Search Criteria Code in a Local Class to obtain members who are eligible for Selective Service. The lambda expression used to print members is highlighted:
processPersons(
roster,
p -> p.getGender() == Person.Sex.MALE
&& p.getAge() >= 18
&& p.getAge() <= 25,
p -> p.printPerson()
);
Function<T,R>
interface contains the method R apply(T t)
. The following method retrieves the data specified by the parameter mapper
, and then performs an action on it specified by the parameter block
:
public static void processPersonsWithFunction(
List<Person> roster,
Predicate<Person> tester,
Function<Person, String> mapper,
Consumer<String> block) {
for (Person p : roster) {
if (tester.test(p)) {
String data = mapper.apply(p);
block.accept(data);
}
}
}
roster
who are eligible for Selective Service and then prints it:
processPersonsWithFunction(
roster,
p -> p.getGender() == Person.Sex.MALE
&& p.getAge() >= 18
&& p.getAge() <= 25,
p -> p.getEmailAddress(),
email -> System.out.println(email)
);
方法8:更广泛地使用泛型
Approach 8: Use Generics More Extensively
processPersonsWithFunction
. The following is a generic version of it that accepts, as a parameter, a collection that contains elements of any data type:
public static <X, Y> void processElements(
Iterable<X> source,
Predicate<X> tester,
Function <X, Y> mapper,
Consumer<Y> block) {
for (X p : source) {
if (tester.test(p)) {
Y data = mapper.apply(p);
block.accept(data);
}
}
}
processElements
方法:
processElements
method as follows:
processElements(
roster,
p -> p.getGender() == Person.Sex.MALE
&& p.getAge() >= 18
&& p.getAge() <= 25,
p -> p.getEmailAddress(),
email -> System.out.println(email)
);
- 从集合source对象中获取一个源对象,它从集合roster对象中获取一个Person的对象。注意collection roster 是一个实现List接口的集合类型,也是一个实现了Iterable接口的对象类型
- 过滤出满足
Predicate
类的tester对象,在这个示例中,Predicate
对象是一个lamda表达式,其规定了哪些人员适合服兵役。 - 将过滤出的每个对象都映射成由Function 对象mapper规定的一个值.在这个示例中,Function对象是一个可以返回人员email地址的lamda表达式
- 在每个映射对象上执行由Consumer类型的对象block规定的动作。在这个例子中,Consumer对象是一个lamda表达式,打印一个字符串,实际上是由Function对象返回的email地址
- Obtains a source of objects from the collection
source
. In this example, it obtains a source ofPerson
objects from the collectionroster
. Notice that the collectionroster
, which is a collection of typeList
, is also an object of typeIterable
. - Filters objects that match the
Predicate
objecttester
. In this example, thePredicate
object is a lambda expression that specifies which members would be eligible for Selective Service. - Maps each filtered object to a value as specified by the
Function
objectmapper
. In this example, theFunction
object is a lambda expression that returns the e-mail address of a member. - Performs an action on each mapped object as specified by the
Consumer
objectblock
. In this example, theConsumer
object is a lambda expression that prints a string, which is the e-mail address returned by theFunction
object.
You can replace each of these actions with an aggregate operation.
方法9:使用聚合操作接受多个lamda表达式作参数
Approach 9: Use Aggregate Operations That Accept Lambda Expressions as Parameters
roster中的人员email地址(适合服兵役的人员):
roster
who are eligible for Selective Service:
roster
.stream()
.filter(
p -> p.getGender() == Person.Sex.MALE
&& p.getAge() >= 18
&& p.getAge() <= 25)
.map(p -> p.getEmailAddress())
.forEach(email -> System.out.println(email));
processElements
方法执行的每个操作,processElements
方法伴有相应的聚合操作
processElements
performs with the corresponding aggregate operation:
processElements Action |
Aggregate Operation |
---|---|
获取对象的一个来源 Obtain a source of objects |
Stream<E> stream() |
过滤出符合Predicate 判断对象的对象Filter objects that match a Predicate object |
Stream<T> filter(Predicate<? super T> predicate) |
将由Function规定的对象映射成一个其他的对象 Map objects to another value as specified by a Function object |
<R> Stream<R> map(Function<? super T,? extends R> mapper) |
执行由Consumer对象规定的动作 Perform an action as specified by a Consumer object |
void forEach(Consumer<? super T> action) |
filter
- map
-forEach。此外,聚合操作典型地接受lamda表达式作为参数,使你能够自行定义他们的行为。
filter
, map
, and forEach
are aggregate operations. Aggregate operations process elements from a stream, not directly from a collection (which is the reason why the first method invoked in this example is stream
). A stream is a sequence of elements. Unlike a collection, it is not a data structure that stores elements. Instead, a stream carries values from a source, such as collection, through a pipeline. Apipeline is a sequence of stream operations, which in this example is filter
- map
-forEach
. In addition, aggregate operations typically accept lambda expressions as parameters, enabling you to customize how they behave.
For a more thorough discussion of aggregate operations, see the Aggregate Operations lesson.
GUI应用中的lambda表达式
Lambda Expressions in GUI Applications
HelloWorld.java
(discussed in the previous section Anonymous Classes), you can replace the highlighted anonymous class with a lambda expression in this statement:
btn.setOnAction(new EventHandler<ActionEvent>() { @Override public void handle(ActionEvent event) { System.out.println("Hello World!"); } });
btn.setOnAction(
event -> System.out.println("Hello World!")
);
Lamda表达式的语法
Syntax of Lambda Expressions
-
圆括号中的一组以逗号分割的型参。CheckPerson.test方法包含一个代表Person的实例的参数P。A comma-separated list of formal parameters enclosed in parentheses. The
CheckPerson.test
method contains one parameter,p
, which represents an instance of thePerson
class.
注意:你可以省去lamda表达式中的参数类型,此外,如果只有一个参数的情况下你也可以省去圆括号( )。例如,下面这个lamda表达式也是有效的:Note: You can omit the data type of the parameters in a lambda expression. In addition, you can omit the parentheses if there is only one parameter. For example, the following lambda expression is also valid:
p -> p.getGender() == Person.Sex.MALE && p.getAge() >= 18 && p.getAge() <= 25
-
右箭头符号The arrow token,
->
-
一个lamda表达式的代码体,由一个单一的表达式或代码块组成,这个例子使用了下面的表达式:A body, which consists of a single expression or a statement block. This example uses the following expression:
p.getGender() == Person.Sex.MALE && p.getAge() >= 18 && p.getAge() <= 25
如果你指定了一个单一的表达式,在java运行期会计算并返回表达式的结果。还有另一种选择,你可以使用一个具有返回值的代码片段。If you specify a single expression, then the Java runtime evaluates the expression and then returns its value. Alternatively, you can use a return statement:
p -> { return p.getGender() == Person.Sex.MALE && p.getAge() >= 18 && p.getAge() <= 25; }
具有返回值的代码段不是一个表达式,在lamda表达式中你必须使用花括号({})来包住代码段。尽管如此,你没有必要使用花括号({})来包住一个只有void返回的方法调用,例如下面这个是一个有效的lamda表达式:A return statement is not an expression; in a lambda expression, you must enclose statements in braces ({}
). However, you do not have to enclose a void method invocation in braces. For example, the following is a valid lambda expression:
email -> System.out.println(email)
Calculator
, is an example of lambda expressions that take more than one formal parameter:
public class Calculator {
interface IntegerMath {
int operation(int a, int b);
}
public int operateBinary(int a, int b, IntegerMath op) {
return op.operation(a, b);
}
public static void main(String... args) {
Calculator myApp = new Calculator();
IntegerMath addition = (a, b) -> a + b;
IntegerMath subtraction = (a, b) -> a - b;
System.out.println("40 + 2 = " +
myApp.operateBinary(40, 2, addition));
System.out.println("20 - 10 = " +
myApp.operateBinary(20, 10, subtraction));
}
}
operateBinary
方法在两个整型值上执行数学运算。运算操作是由一个IntegerMath的实例指定的。这个例子用lamda表达式定义了加法和减法这两个操作。这个例子打印结果如下:
operateBinary
performs a mathematical operation on two integer operands. The operation itself is specified by an instance of IntegerMath
. The example defines two operations with lambda expressions, addition
and subtraction
. The example prints the following:
40 + 2 = 42
20 - 10 = 10
访问作用域中的局部变量
Accessing Local Variables of the Enclosing Scope
LambdaScopeTest,演示了这个:
LambdaScopeTest
, demonstrates this:
import java.util.function.Consumer;
public class LambdaScopeTest {
public int x = 0;
class FirstLevel {
public int x = 1;
void methodInFirstLevel(int x) {
//下面这个语句会导致编译器产生错误“本地变量已被一个lamda表达式引用
// 必须是final或者实际上是final类型”
// The following statement causes the compiler to generate // the error "local variables referenced from a lambda expression // must be final or effectively final" in statement A: // // x = 99; Consumer<Integer> myConsumer = (y) -> { System.out.println("x = " + x); // Statement A System.out.println("y = " + y); System.out.println("this.x = " + this.x); System.out.println("LambdaScopeTest.this.x = " + LambdaScopeTest.this.x); }; myConsumer.accept(x); } } public static void main(String... args) { LambdaScopeTest st = new LambdaScopeTest(); LambdaScopeTest.FirstLevel fl = st.new FirstLevel(); fl.methodInFirstLevel(23); } }
x = 23
y = 23
this.x = 1
LambdaScopeTest.this.x = 0
x
in place of y
in the declaration of the lambda expression myConsumer
, then the compiler generates an error:
Consumer<Integer> myConsumer = (x) -> {
// ...
}
FirstLevel.x。
x
of the method methodInFirstLevel
. To access variables in the enclosing class, use the keyword this
. In this example, this.x
refers to the member variable FirstLevel.x
.
methodInFirstLevel
定义语句之后立即添加了下面的这个任务语句:
methodInFirstLevel
definition statement:
void methodInFirstLevel(int x) {
x = 99;
// ...
}
FirstLevel.x的地方,
java编译器会产生一个错误信息,类似“本地变量已被一个lamda表达式引用必须是final或者实际上是final类型”
FirstLevel.x
is not effectively final anymore. As a result, the Java compiler generates an error message similar to "local variables referenced from a lambda expression must be final or effectively final" where the lambda expression myConsumer
tries to access the FirstLevel.x
variable:
System.out.println("x = " + x);
目标归类
Target Typing
p -> p.getGender() == Person.Sex.MALE
&& p.getAge() >= 18
&& p.getAge() <= 25
-
public static void printPersons(List<Person> roster, CheckPerson tester)
in Approach 3: Specify Search Criteria Code in a Local Class -
public void printPersonsWithPredicate(List<Person> roster, Predicate<Person> tester)
in Approach 6: Use Standard Functional Interfaces with Lambda Expressions
printPersonsWithPredicate时,会期望获得
Predicate<Person>的数据类型,
因此lamda表达式是与这相关的一个类型。这些方法想获知的类型即称为目标类型。为了判断lamda表达式的类型,Java编译器使用能够发现lamda表达式的上下文或场景的目标类型。它遵循这样的原则,你只能使用Java编译器能够判断出目标类型的lamda表达式:
printPersons
, it's expecting a data type of CheckPerson
, so the lambda expression is of this type. However, when the Java runtime invokes the methodprintPersonsWithPredicate
, it's expecting a data type of Predicate<Person>
, so the lambda expression is of this type. The data type that these methods expect is called the target type. To determine the type of a lambda expression, the Java compiler uses the target type of the context or situation in which the lambda expression was found. It follows that you can only use lambda expressions in situations in which the Java compiler can determine a target type:
-
变量定义Variable declarations
-
分配Assignments
-
返回语句Return statements
-
数组初始化Array initializers
-
方法或者构造器参数Method or constructor arguments
-
lamda表达式体Lambda expression bodies
-
条件表达式,?:Conditional expressions,
?:
-
强制转换表达式Cast expressions
目标类型和方法参数
Target Types and Method Arguments
java.lang.Runnable
和java.util.concurrent.Callable<V>
)
java.lang.Runnable
and java.util.concurrent.Callable<V>
):
public interface Runnable {
void run();
}
public interface Callable<V> {
V call();
}
Callable<V>.call
方法有返回值。
Runnable.run
does not return a value, whereas Callable<V>.call
does.
invoke
as follows (see Defining Methods for more information about overloading methods):
void invoke(Runnable r) {
r.run();
}
<T> T invoke(Callable<T> c) {
return c.call();
}
String s = invoke(() -> "done");
invoke(Callable<T>)方法将会被调用,因为这个方法有返回值;在这种情况下lamda表达式的类型
() -> "done"
是Callable<T>类型。
invoke(Callable<T>)
will be invoked because that method returns a value; the method invoke(Runnable)
does not. In this case, the type of the lambda expression () -> "done"
isCallable<T>
.