最近在看《重构》第二版,看到替换循环这里,想到我在工作中也是无脑的使用循环和if-else,最近也有空没事就重构之前自己写的代码以及别人留下来的代码。因此就自己尝试了一下管道。发现确实非常的简单明了。大致我举个例子说明下:
大致需求是这样,从汽车List中找到2000年以后生产的汽车:
Car类:#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
|
package test;
public class Car {
private String make;
private String model;
private String year;
public Car(String make, String model, String year) {
this.make = make;
this.model = model;
this.year = year;
}
public String getMake() {
return make;
}
public void setMake(String make) {
this.make = make;
}
public String getModel() {
return model;
}
public void setModel(String model) {
this.model = model;
}
public String getYear() {
return year;
}
public void setYear(String year) {
this.year = year;
}
}
|
new 对象#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
|
package test;
import java.util.Arrays;
import java.util.List;
public class Iterating {
public static List<Car> createCars(){
return Arrays.asList(
new Car("Jeep", "Wrangler", "2011"),
new Car("Jeep", "Comanche", "1990"),
new Car("Dodge", "Avenget", "2010"),
new Car("Buick", "Cascada", "2016"),
new Car("Ford", "Focus", "2012"),
new Car("Chevrolet", "Geo Metro", "1992")
);
}
}
|
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
|
package test;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.stream.Collectors;
public class GetCarsModel {
public static void main(String[] args) {
List<Car> cars = Iterating.createCars();
System.out.println(getAfter2000years(cars));
System.out.println(getModelsAfter2000UsingPipeline(cars));
}
/**
* 使用for循环
* @param cars
* @return
*/
private static List<String> getAfter2000years (List<Car> cars) {
List<Car> carsDortedByYear = new ArrayList<>();
for (Car car : cars) {
if (car.getYear().compareTo("2000") > 0) {
carsDortedByYear.add(car);
}
}
Collections.sort(carsDortedByYear, new Comparator<Car>() {
@Override
public int compare(Car o1, Car o2) {
return (o1.getYear().compareTo(o2.getYear()));
}
});
List<String> models = new ArrayList<>();
for (Car car : carsDortedByYear) {
models.add(car.getModel());
}
return models;
}
/**
* @deacription 使用管道
* @param cars
* @return
*/
private static List<String> getModelsAfter2000UsingPipeline(List<Car> cars) {
return cars.stream().filter(car -> car.getYear().compareTo("2000") > 0).sorted(Comparator.comparing(Car::getYear)).map(Car::getModel).collect(Collectors.toList());
}
}
|
最后这俩结果是一样的,但是哪个更加简单明了一眼可知。
只用了短短几行代码,代码的意图就很明显 — 给定一个汽车集合,过滤或提取仅在 2000 年或以后制造的汽车;然后按年份进行排序,将这些对象映射或转换为它们的型号,最后将结果收集到一个列表中。