Java Stream

一、Stream流的介绍

Stream是Java8中处理集合的关键抽象概念,它可以指定对集合进行的操作,可以执行非常复杂的查找、过滤和映射数据等操作。使用Stream API对集合数据进行操作,就类似于使用SQL执行的数据库查询,也可以使用Stream API来并行执行操作。简而言之,Stream API提供了一种高效且易于使用的处理数据的方式。
Stream 使用一种类似用 SQL 语句从数据库查询数据的直观方式来提供一种对 Java 集合运算和表达的高阶抽象。
流(Stream)到底是什么呢?
流是数据渠道,用于操作数据源(集合、数组等)所生成的元素序列。“集合讲的是数据,流讲的是就算!”
注意:
①Stream不会存储元素。
②Stream不会改变源对象,相反,他们会返回一个持有结果的新Stream。
③Stream操作是延迟执行的,这意味着他们会等到需要结果的时候才执行。
image.png

  1. +--------------------+ +------+ +------+ +---+ +-------+
  2. | stream of elements +-----> |filter+-> |sorted+-> |map+-> |collect|
  3. +--------------------+ +------+ +------+ +---+ +-------+

二、Stream操作的三个步骤

A.创建Stream

一个数据源(如:集合、数组),获取一个流
Java8中的Collection接口被扩展,提供了两个获取流的方法

  • stream():为集合创建串行流
  • parallelStream():为集合创建并行流
    1. // 返回一个顺序流
    2. default Stream stream()
    3. // 返回一个并行流
    4. default Stream<E> parallelStream()
    当然,流的来源可以是集合,数组,I/O channel, 产生器generator 等!

    创建Stream的四种方式

    ```java // 1.可以通过Collection 系列集合提供的stream() 或 paralleStream() List list = new ArrayList<>(); Stream stream = list.stream();

// 2.通过Arrays中的静态方法stream()获取数组流 Employee[] employees = new Employee[10]; Stream employeeStream = Arrays.stream(employees);

// 3.通过Stream类中的静态方法of() Stream stringStream = Stream.of(“aa”, “bb”, “cc”);

// 4.创建无限流 // 迭代 Stream.iterate(0, (x) -> x + 2) .limit(100) .forEach(System.out::println);

// 生成 Stream.generate(() -> Math.random()) .limit(5) .forEach(System.out::println);

  1. <a name="toQTe"></a>
  2. ### B.中间操作
  3. 一个中间操作链,对数据源的数据进行处理<br />多个中间操作可以连接起来形成一个流水线,除非流水线上触发终止操作,否则中间操作不会执行任何的处理!而在终止操作时一次性全部处理,称为“惰性求值”
  4. <a name="Ik0qp"></a>
  5. #### 1、筛选与切片
  6. | **方法** | **描述** |
  7. | --- | --- |
  8. | `filter(Predicate p)` | 接收Lambda,从流中排除某些元素 |
  9. | `distinct()` | 筛选,通过流所生成元素的`hashCode()`和`equals()`方法去除重复元素 |
  10. | `limit(long maxSize)` | 截取流,使其元素不超过给定的数量 |
  11. | `skip(long n)` | 跳过元素,返回一个扔掉了前n个元素的流,若流中元素不足n个,则返回一个空流。与`limit(n)`互补 |
  12. ```java
  13. List<Employee> employees = Arrays.asList(
  14. new Employee("Fcant", 14, 99998.0),
  15. new Employee("Fcary", 10, 998.045),
  16. new Employee("Fcloi", 15, 934598.0),
  17. new Employee("Fcmop", 19, 56998.04),
  18. new Employee("Fcctr", 18, 945698.0),
  19. new Employee("Fcctr", 18, 945698.0),
  20. new Employee("Fcctr", 18, 945698.0),
  21. new Employee("Fcqyt", 17, 998.0645)
  22. );
  23. // 中间操作
  24. /**
  25. * 筛选与切片
  26. * filter-接收Lambda,从流中排除某些元素
  27. * limit-截断流,使其元素不超过给定数量
  28. * skip-跳过元素,返回一个扔掉了前n个元素的流,若流中元素不足n个,则返回一个空流。与limit(n)互补
  29. * distinct-筛选,通过流所生成元素的hashCode()和equals()去除重复元素
  30. */
  31. @Test
  32. public void streamSelectOpTest() {
  33. System.out.println("--------------filter-----------");
  34. employees.stream()
  35. .filter(employee -> {
  36. System.out.println("Steam API 中间操作");
  37. return employee.getAge() > 15;
  38. })
  39. .forEach(System.out::println);
  40. System.out.println("--------------limit-----------");
  41. employees.stream()
  42. .filter(employee -> {
  43. System.out.println("短路!-使用limit找到符合条件的数据后面的不再迭代遍历");
  44. return employee.getSalary() > 5000;
  45. })
  46. .limit(2)
  47. .forEach(System.out::println);
  48. System.out.println("--------------skip-----------");
  49. employees.stream()
  50. .filter(employee -> {
  51. System.out.println("迭代遍历所有");
  52. return employee.getSalary() > 5000;
  53. })
  54. .skip(2)
  55. .forEach(System.out::println);
  56. // 使用distinct去重时需要重写hashCode()方法和equals()方法
  57. System.out.println("--------------distinct-----------");
  58. employees.stream()
  59. .filter(employee -> {
  60. System.out.println("迭代遍历所有");
  61. return employee.getSalary() > 5000;
  62. })
  63. .skip(1)
  64. .distinct()
  65. .forEach(System.out::println);
  66. }

2、映射

方法 描述
map(Function f) 接收一个函数作为参数,该函数会被应用到每个元素上,并将其映射成一个新的元素
mapToDouble(ToDoubleFunction f) 接收一个函数作为参数,该函数会被应用到每个元素上,产生一个新的DoubleStream
mapToInt(ToIntFunction f) 接收一个函数作为参数,该函数会被应用到每个元素上,产生一个新的IntStream
mapToLong(ToLongFunction f) 接收一个函数作为参数,该函数会被应用到每个元素上,产生一个新的LongStream
flatMap(Function f) 接收一个函数作为参数,将流中的每个值都换成另一个流,然后把所有流连接成一个流
  1. package com.fcant.java8.stream;
  2. import com.fcant.java8.lambda.bean.Employee;
  3. import org.junit.Test;
  4. import java.util.ArrayList;
  5. import java.util.Arrays;
  6. import java.util.List;
  7. import java.util.stream.Stream;
  8. /**
  9. * StreamTest
  10. * <p>
  11. * encoding:UTF-8
  12. *
  13. * 一、Stream的三个操作步骤
  14. * 1.创建Stream
  15. * 2.中间操作
  16. * 3.终止操作(终端操作)
  17. *
  18. * @author Fcant 下午 17:18:28 2020/2/20/0020
  19. */
  20. public class StreamTest {
  21. List<Employee> employees = Arrays.asList(
  22. new Employee("Fcant", 14, 99998.0),
  23. new Employee("Fcary", 10, 998.045),
  24. new Employee("Fcloi", 15, 934598.0),
  25. new Employee("Fcmop", 19, 56998.04),
  26. new Employee("Fcctr", 18, 945698.0),
  27. new Employee("Fcctr", 18, 945698.0),
  28. new Employee("Fcctr", 18, 945698.0),
  29. new Employee("Fcqyt", 17, 998.0645)
  30. );
  31. // 中间操作
  32. /**
  33. * 映射
  34. * map-接收Lambda,将元素转换成其他形式或提取信息,接收一个函数作为参数,该函数会被应用到每个元素上,并将其映射成一个新的元素
  35. * flatMap-接收一个函数作为参数,将流中的每个值都换成另一个流,然后把所有流连接成一个流
  36. */
  37. @Test
  38. public void refTest() {
  39. List<String> list = Arrays.asList("aaa", "bbb", "ccc", "ddd", "eee");
  40. list.stream()
  41. .map(x -> x.toUpperCase())
  42. .forEach(System.out::println);
  43. System.out.println("-------------员工姓名提取------------");
  44. employees.stream()
  45. .map(x -> x.getName())
  46. .forEach(System.out::println);
  47. System.out.println("-------------通过map将流整合成一个流------------");
  48. Stream<Stream<Character>> streamStream = list.stream()
  49. .map(StreamTest::filterCharacter);
  50. streamStream.forEach(sm -> sm.forEach(System.out::println));
  51. System.out.println("----------通过flatMap进行流的整合-----------");
  52. list.stream()
  53. .flatMap(StreamTest::filterCharacter)
  54. .forEach(System.out::println);
  55. }
  56. public static Stream<Character> filterCharacter(String s) {
  57. List<Character> characterList = new ArrayList<>();
  58. for (Character character : s.toCharArray()) {
  59. characterList.add(character);
  60. }
  61. return characterList.stream();
  62. }
  63. }

3、排序

方法 描述
sorted() 产生一个新流,其中按自然顺序排序
sorted(Comparator comp) 产生一个新流,其中按比较器顺序排序
  1. List<Employee> employees = Arrays.asList(
  2. new Employee("Fcant", 14, 99998.0),
  3. new Employee("Fcary", 10, 998.045),
  4. new Employee("Fcloi", 15, 934598.0),
  5. new Employee("Fcmop", 19, 56998.04),
  6. new Employee("Fcctr", 18, 945698.0),
  7. new Employee("Fcctr", 18, 945698.0),
  8. new Employee("Fcctr", 18, 945698.0),
  9. new Employee("Fcqyt", 17, 998.0645)
  10. );
  11. // 中间操作
  12. /**
  13. * 排序
  14. * sorted()-自然排序(Comparable)
  15. * sorted(Comparator com)-定制排序(Comparator)
  16. */
  17. @Test
  18. public void sortStreamTest() {
  19. System.out.println("-----------sort()自然排序------------");
  20. List<String> list = Arrays.asList("ccc", "ddd", "aaa", "bbb", "eee");
  21. list.stream()
  22. .sorted()
  23. .forEach(System.out::println);
  24. System.out.println("-----------sort()定制排序------------");
  25. employees.stream()
  26. .sorted((e1, e2) -> {
  27. if (e1.getAge().equals(e2.getAge())) {
  28. return e1.getName().compareTo(e2.getName());
  29. } else {
  30. return e1.getAge().compareTo(e2.getAge());
  31. }
  32. }).forEach(System.out::println);
  33. }

C.终止操作(终端操作)

一个操作终止,执行中间操作链,并产生结果,终端操作会从流的流水线生成结果。其结果可以是任何不是流的值,例如:List、Integer甚至void。

1、查找与匹配

方法 描述
allMatch(Predicate p) 检查是否匹配所有元素
anyMatch(Predicate p) 检查是否至少匹配一个元素
noneMatch(Predicate p) 检查是否没有匹配所有元素
findFirst() 返回第一个元素
findAny() 返回当前流中的任意元素
count() 返回当前流中元素的总个数
max(Comparator c) 返回流中最大值
min(Comparator c) 返回流中最小值
forEach(Consumer c) 内部迭代(使用Collection接口需要用户去做迭代,称为外部迭代。相反,Stream API使用内部迭代—即API内部完成了操作)

Employee类的升级

  1. package com.fcant.java8.lambda.bean;
  2. import java.util.Objects;
  3. /**
  4. * Employee
  5. * <p>
  6. * encoding:UTF-8
  7. *
  8. * @author Fcant 下午 21:20:09 2020/2/18/0018
  9. */
  10. public class Employee {
  11. private String name;
  12. private Integer age;
  13. private Double salary;
  14. private Status status;
  15. public Employee(String name) {
  16. this.name = name;
  17. }
  18. @Override
  19. public boolean equals(Object o) {
  20. if (this == o) return true;
  21. if (o == null || getClass() != o.getClass()) return false;
  22. Employee employee = (Employee) o;
  23. return age == employee.age &&
  24. Double.compare(employee.salary, salary) == 0 &&
  25. Objects.equals(name, employee.name);
  26. }
  27. @Override
  28. public int hashCode() {
  29. return Objects.hash(name, age, salary);
  30. }
  31. public Employee() {
  32. }
  33. public Employee(String name, Integer age, Double salary) {
  34. this.name = name;
  35. this.age = age;
  36. this.salary = salary;
  37. }
  38. public Employee(String name, Integer age, Double salary, Status status) {
  39. this.name = name;
  40. this.age = age;
  41. this.salary = salary;
  42. this.status = status;
  43. }
  44. public String getName() {
  45. return name;
  46. }
  47. public void setName(String name) {
  48. this.name = name;
  49. }
  50. public Integer getAge() {
  51. return age;
  52. }
  53. public void setAge(Integer age) {
  54. this.age = age;
  55. }
  56. public Double getSalary() {
  57. return salary;
  58. }
  59. public void setSalary(Double salary) {
  60. this.salary = salary;
  61. }
  62. public Status getStatus() {
  63. return status;
  64. }
  65. public void setStatus(Status status) {
  66. this.status = status;
  67. }
  68. @Override
  69. public String toString() {
  70. return "Employee{" +
  71. "name='" + name + '\'' +
  72. ", age=" + age +
  73. ", salary=" + salary +
  74. ", status=" + status +
  75. '}';
  76. }
  77. public enum Status{
  78. FREE,
  79. BUSY,
  80. VOCATION;
  81. }
  82. }

案例

  1. List<Employee> employees = Arrays.asList(
  2. new Employee("Fcant", 14, 99998.0, Employee.Status.BUSY),
  3. new Employee("Fcary", 10, 998.045, Employee.Status.VOCATION),
  4. new Employee("Fcloi", 15, 934598.0, Employee.Status.FREE),
  5. new Employee("Fcmop", 19, 56998.04, Employee.Status.BUSY),
  6. new Employee("Fcctr", 18, 945698.0, Employee.Status.BUSY),
  7. new Employee("Fcctr", 18, 945698.0, Employee.Status.FREE),
  8. new Employee("Fcctr", 18, 945698.0, Employee.Status.VOCATION),
  9. new Employee("Fcqyt", 17, 998.0645, Employee.Status.FREE)
  10. );
  11. // 终止操作
  12. /**
  13. * 查找与匹配
  14. * allMatch-检查是否匹配所有元素
  15. * anyMatch-检查是否至少匹配一个元素
  16. * noneMatch-检查是否没有匹配所有元素
  17. * findFirst-返回第一个元素
  18. * findAny-返回当前流中任意元素
  19. * count-返回流中元素的总个数
  20. * max-返回流中最大值
  21. * min-返回流中最小值
  22. */
  23. @Test
  24. public void streamFindTest() {
  25. boolean allMatch = employees.stream()
  26. .allMatch(e -> e.getStatus().equals(Employee.Status.BUSY));
  27. System.out.println(allMatch);
  28. boolean anyMatch = employees.stream()
  29. .anyMatch(e -> e.getStatus().equals(Employee.Status.BUSY));
  30. System.out.println(anyMatch);
  31. boolean noneMatch = employees.stream()
  32. .noneMatch(e -> e.getStatus().equals(Employee.Status.BUSY));
  33. System.out.println(noneMatch);
  34. Optional<Employee> firstEmployee = employees.stream()
  35. .sorted((e1, e2) -> -Double.compare(e1.getSalary(), e2.getSalary()))
  36. .findFirst();
  37. System.out.println(firstEmployee.get());
  38. Optional<Employee> optionalEmployee = employees.stream()
  39. .filter(e -> e.getStatus().equals(Employee.Status.FREE))
  40. .findAny();
  41. System.out.println(optionalEmployee.get());
  42. long count = employees.stream()
  43. .count();
  44. System.out.println(count);
  45. Optional<Employee> maxEmpSalary = employees.stream()
  46. .max((e1, e2) -> Double.compare(e1.getSalary(), e2.getSalary()));
  47. System.out.println(maxEmpSalary.get());
  48. Optional<Double> min = employees.stream()
  49. .map(Employee::getSalary)
  50. .min(Double::compare);
  51. System.out.println(min.get());
  52. }

2、规约

方法 描述
reduce(T iden, BinaryOperator b) 可以将流中元素反复结合起来,得到一个值。返回T
reduce(BinaryOperator b) 可以将流中元素反复结合起来,得到一个值。返回Optional<T>

备注:MapReduce的连接通常称为map-reduce模式,因Google用它来进行网络搜索而出名。

  1. /**
  2. * 规约
  3. * reduce(T identity, BinaryOperator)/reduce(BinaryOperator)-可以将流中元素反复结合起来,得到一个值
  4. */
  5. @Test
  6. public void streamReduceTest() {
  7. List<Integer> list = Arrays.asList(1, 2, 3, 4, 5, 6, 7, 8, 9, 10);
  8. Integer sum = list.stream()
  9. .reduce(0, (x, y) -> x + y);
  10. System.out.println("该数组之和为:" + sum);
  11. System.out.println("----------------------");
  12. Optional<Double> optionalDouble = employees.stream()
  13. .map(Employee::getSalary)
  14. .reduce(Double::sum);
  15. System.out.println("员工的工资总和为:" + optionalDouble.get());
  16. }

3、收集

方法 描述
Collection(Collector c) 将流转换为其他形式,接收一个Collector接口的实现,用于给Stream中元素做汇总的方法

Collector接口中方法的实现决定了如何对流执行收集操作(如收集到List、Set、Map)。但是Collectors实用类提供了很多静态方法,可以方便地创建常见收集器实例。

工厂方法 返回类型 作用
toList List<T> 把流中所有项目收集到一个 List
toSet Set<T> 把流中所有项目收集到一个 Set,删除重复项
toCollection Collection<T> 把流中所有项目收集到给定的供应源创建的集合
menuStream.collect(toCollection(), ArrayList::new)
counting Long 计算流中元素的个数
sumInt Integer 对流中项目的一个整数属性求和
averagingInt Double 计算流中项目 Integer 属性的平均值
summarizingInt IntSummaryStatistics 收集关于流中项目 Integer 属性的统计值,例如最大、最小、 总和与平均值
joining String 连接对流中每个项目调用 toString 方法所生成的字符串
collect(joining(", "))
maxBy Optional<T> 一个包裹了流中按照给定比较器选出的最大元素的 Optional, 或如果流为空则为 Optional.empty()
minBy Optional<T> 一个包裹了流中按照给定比较器选出的最小元素的 Optional, 或如果流为空则为 Optional.empty()
reducing 归约操作产生的类型 从一个作为累加器的初始值开始,利用 BinaryOperator 与流 中的元素逐个结合,从而将流归约为单个值
累加int totalCalories = menuStream.collect(reducing(0, Dish::getCalories, Integer::sum));
collectingAndThen 转换函数返回的类型 包裹另一个收集器,对其结果应用转换函数
int howManyDishes = menuStream.collect(collectingAndThen(toList(), List::size))
groupingBy Map<K, List<T>> 根据项目的一个属性的值对流中的项目作问组,并将属性值作 为结果 Map 的键
partitioningBy Map<Boolean,List<T>> 根据对流中每个项目应用谓词的结果来对项目进行分区
  1. List<Employee> employees = Arrays.asList(
  2. new Employee("Fcant", 14, 99998.0, Employee.Status.BUSY),
  3. new Employee("Fcary", 10, 998.045, Employee.Status.VOCATION),
  4. new Employee("Fcloi", 15, 934598.0, Employee.Status.FREE),
  5. new Employee("Fcmop", 19, 56998.04, Employee.Status.BUSY),
  6. new Employee("Fcctr", 18, 945698.0, Employee.Status.BUSY),
  7. new Employee("Fcctr", 18, 945698.0, Employee.Status.FREE),
  8. new Employee("Fcctr", 18, 945698.0, Employee.Status.VOCATION),
  9. new Employee("Fcqyt", 17, 998.0645, Employee.Status.FREE)
  10. );
  11. // 终止操作
  12. /**
  13. * 收集
  14. * collect-将流转换为其他形式,接收一个Collector接口的实现,用于给Stream中元素做汇总的方法
  15. */
  16. @Test
  17. public void streamCollectTest() {
  18. employees.stream()
  19. .map(Employee::getName)
  20. .collect(Collectors.toList())
  21. .forEach(System.out::println);
  22. System.out.println("----------------------");
  23. employees.stream()
  24. .map(Employee::getName)
  25. .collect(Collectors.toSet())
  26. .forEach(System.out::println);
  27. System.out.println("-----------------------");
  28. employees.stream()
  29. .map(Employee::getName)
  30. .collect(Collectors.toCollection(HashSet::new))
  31. .forEach(System.out::println);
  32. // 总数
  33. Long count = employees.stream()
  34. .collect(Collectors.counting());
  35. System.out.println(count);
  36. // 平均值
  37. Double avg = employees.stream()
  38. .collect(Collectors.averagingDouble(Employee::getSalary));
  39. System.out.println(avg);
  40. // 总和
  41. Double sum = employees.stream()
  42. .collect(Collectors.summingDouble(Employee::getSalary));
  43. System.out.println(sum);
  44. // 最大值
  45. Optional<Employee> optionalEmployee = employees.stream()
  46. .collect(Collectors.maxBy((e1, e2) -> Double.compare(e1.getSalary(), e2.getSalary())));
  47. System.out.println(optionalEmployee.get());
  48. // 最小值
  49. Optional<Double> min = employees.stream()
  50. .map(Employee::getSalary)
  51. .collect(Collectors.minBy(Double::compare));
  52. System.out.println(min.get());
  53. // 分组
  54. Map<Employee.Status, List<Employee>> group = employees.stream()
  55. .collect(Collectors.groupingBy(Employee::getStatus));
  56. Employee.Status[] values = Employee.Status.values();
  57. for (int i = 0; i < values.length; i++) {
  58. System.out.println(values[i]);
  59. group.get(values[i]).forEach(System.out::println);
  60. }
  61. // 多级分组
  62. System.out.println("-----------多级分组----------");
  63. Map<Employee.Status, Map<String, List<Employee>>> emp = employees.stream()
  64. .collect(Collectors.groupingBy(Employee::getStatus, Collectors.groupingBy(e -> {
  65. if (((Employee) e).getAge() <= 15) {
  66. return "初中生";
  67. } else if (((Employee) e).getAge() <= 17) {
  68. return "高中生";
  69. } else {
  70. return "大学生";
  71. }
  72. })));
  73. System.out.println(emp);
  74. for (int i = 0; i < values.length; i++) {
  75. System.out.println(values[i]);
  76. group.get(values[i]).forEach(System.out::println);
  77. }
  78. // 分片、分区
  79. Map<Boolean, List<Employee>> collect = employees.stream()
  80. .collect(Collectors.partitioningBy(e -> e.getSalary() > 5000));
  81. System.out.println(collect);
  82. // 分组函数的另外一种获取使用
  83. DoubleSummaryStatistics empSalary = employees.stream()
  84. .collect(Collectors.summarizingDouble(Employee::getSalary));
  85. System.out.println("员工薪资总和为:" + empSalary.getSum());
  86. System.out.println("员工薪资有 " + empSalary.getCount() + " 条");
  87. System.out.println("员工薪资均值为:" + empSalary.getAverage());
  88. System.out.println("员工薪资最大值为:" + empSalary.getMax());
  89. System.out.println("员工薪资最小值为:" + empSalary.getMin());
  90. String empName = employees.stream()
  91. .map(Employee::getName)
  92. .collect(Collectors.joining("," , "==>", "<=="));
  93. System.out.println(empName);
  94. }

三、并行流与顺序流

A.并行流与顺序流

并行流就是把一个内容分成多个数据块,并用不同的线程分别处理每个数据块的流。
Java8中将并行进行了优化,可以声明性地通过parallel()sequential()在并行流与顺序流之间进行切换。

Fork/Join框架

Fork/Join框架:就是在必要情况下,将一个大任务,进行拆分(fork)成若干个小任务(拆到不可再拆时),再将一个个的小任务运算的结果进行join汇总。
image.png

Fork/Join框架与传统线程池的区别

采用“工作窃取”模式(work-stealing):
当执行新的任务时它可以将其拆分分成更小的任务执行,并将小任务加到线程队列中,然后再从一个随机线程的队列中偷一个并把它放在自己的队列中。
相对于一般的线程池实现,fork/join框架的优势体现在对其中包含的任务的处理方式上,在一般的线程池中,如果一个线程正在执行的任务由于某些原因无法继续运行,那么该线程会处于等待状态,而在fork/join框架实现中,如果某个子问题由于等待另外一个子问题的完成而无法继续运行,那么处理该子问题的线程会主动寻找其他尚未运行的子问题来执行,这种方式减少了线程的等待时间,提高了性能。

  1. public class ForkJoinCalculate extends RecursiveTask<Long> {
  2. public static final long serialVersionUID = 134656970987L;
  3. private Long start;
  4. private Long end;
  5. public ForkJoinCalculate(Long start, Long end) {
  6. this.start = start;
  7. this.end = end;
  8. }
  9. public static final long THRESHOLD = 10000;
  10. @Override
  11. protected Long compute() {
  12. long length = end - start;
  13. if (length <= THRESHOLD) {
  14. long sum = 0;
  15. for (long i = start; i <= end; i++) {
  16. sum += i;
  17. }
  18. return sum;
  19. } else {
  20. long middle = (start + end) / 2;
  21. ForkJoinCalculate left = new ForkJoinCalculate(start, middle);
  22. // 拆分子任务,同时压入线程队列
  23. left.fork();
  24. ForkJoinCalculate right = new ForkJoinCalculate(middle + 1, end);
  25. right.fork();
  26. return left.join() + right.join();
  27. }
  28. }
  29. }
  1. public class ForkJoinTest {
  2. // Fork/Join操作
  3. @Test
  4. public void forkJoinTest() {
  5. Instant start = Instant.now();
  6. ForkJoinPool pool = new ForkJoinPool();
  7. ForkJoinCalculate task = new ForkJoinCalculate(0L, 10000000L);
  8. Long sum = pool.invoke(task);
  9. System.out.println(sum);
  10. Instant end = Instant.now();
  11. System.out.println("耗费时间为:" + Duration.between(start, end).toMillis() + "毫秒");
  12. }
  13. // 常规行程操作
  14. @Test
  15. public void threadTest() {
  16. Instant start = Instant.now();
  17. Long sum = 0L;
  18. for(long i=0 ;i < 10000000L;i++){
  19. sum += i;
  20. }
  21. System.out.println(sum);
  22. Instant end = Instant.now();
  23. System.out.println("耗费时间为:" + Duration.between(start, end).toMillis() + "毫秒");
  24. }
  25. // Java8并行流的操作
  26. @Test
  27. public void parallelTest() {
  28. Instant start = Instant.now();
  29. LongStream.rangeClosed(0, 100000000L)
  30. .parallel()
  31. .reduce(0, Long::sum);
  32. Instant end = Instant.now();
  33. System.out.println("耗时为:" + Duration.between(start, end).toMillis() + "毫秒");
  34. }
  35. }

四、Stream操作小练习

A.单个案例

  1. import com.fcant.java8.lambda.bean.Employee;
  2. import org.junit.Test;
  3. import java.util.Arrays;
  4. import java.util.List;
  5. import java.util.Optional;
  6. /**
  7. * StreamPractice
  8. * <p>
  9. * encoding:UTF-8
  10. *
  11. * @author Fcant 下午 17:33:04 2020/2/22/0022
  12. */
  13. public class StreamPractice {
  14. /**
  15. * 给定一个数字列表,如何返回一个由每个数的平方构成的列表,给定[1, 2, 3, 4, 5]
  16. */
  17. @Test
  18. public void areaTest() {
  19. Integer[] nums = new Integer[]{1, 2, 3, 4, 5};
  20. Arrays.stream(nums)
  21. .map(x -> x*x)
  22. .forEach(System.out::println);
  23. }
  24. List<Employee> employees = Arrays.asList(
  25. new Employee("Fcant", 14, 99998.0, Employee.Status.BUSY),
  26. new Employee("Fcary", 10, 998.045, Employee.Status.VOCATION),
  27. new Employee("Fcloi", 15, 934598.0, Employee.Status.FREE),
  28. new Employee("Fcmop", 19, 56998.04, Employee.Status.BUSY),
  29. new Employee("Fcctr", 18, 945698.0, Employee.Status.BUSY),
  30. new Employee("Fcctr", 18, 945698.0, Employee.Status.FREE),
  31. new Employee("Fcctr", 18, 945698.0, Employee.Status.VOCATION),
  32. new Employee("Fcqyt", 17, 998.0645, Employee.Status.FREE)
  33. );
  34. /**
  35. * 怎样通过Map或Reduce计算流中有多少Employee
  36. */
  37. @Test
  38. public void countEmployeeTest() {
  39. Optional<Integer> optionalInteger = employees.stream()
  40. .map(employee -> 1)
  41. .reduce(Integer::sum);
  42. System.out.println(optionalInteger.get());
  43. }
  44. }

B.关联案例

Trader.java

  1. public class Trader {
  2. private String name;
  3. private String city;
  4. public Trader() {
  5. }
  6. public Trader(String name, String city) {
  7. this.name = name;
  8. this.city = city;
  9. }
  10. public String getName() {
  11. return name;
  12. }
  13. public void setName(String name) {
  14. this.name = name;
  15. }
  16. public String getCity() {
  17. return city;
  18. }
  19. public void setCity(String city) {
  20. this.city = city;
  21. }
  22. @Override
  23. public String toString() {
  24. return "Trader{" +
  25. "name='" + name + '\'' +
  26. ", city='" + city + '\'' +
  27. '}';
  28. }
  29. }

Transaction.java

  1. public class Transaction {
  2. private Trader trader;
  3. private Integer year;
  4. private Integer value;
  5. public Trader getTrader() {
  6. return trader;
  7. }
  8. public void setTrader(Trader trader) {
  9. this.trader = trader;
  10. }
  11. public Integer getYear() {
  12. return year;
  13. }
  14. public void setYear(Integer year) {
  15. this.year = year;
  16. }
  17. public Integer getValue() {
  18. return value;
  19. }
  20. public void setValue(Integer value) {
  21. this.value = value;
  22. }
  23. public Transaction() {
  24. }
  25. public Transaction(Trader trader, Integer year, Integer value) {
  26. this.trader = trader;
  27. this.year = year;
  28. this.value = value;
  29. }
  30. @Override
  31. public String toString() {
  32. return "Transaction{" +
  33. "trader=" + trader +
  34. ", year=" + year +
  35. ", value=" + value +
  36. '}';
  37. }
  38. }

测试案例

  1. import com.fcant.java8.lambda.bean.Trader;
  2. import com.fcant.java8.lambda.bean.Transaction;
  3. import org.junit.Before;
  4. import org.junit.Test;
  5. import java.util.Arrays;
  6. import java.util.List;
  7. import java.util.Optional;
  8. /**
  9. * TransTest
  10. * <p>
  11. * encoding:UTF-8
  12. *
  13. * @author Fcant 下午 17:53:18 2020/2/22/0022
  14. */
  15. public class TransTest {
  16. List<Transaction> transactions = null;
  17. @Before
  18. public void before() {
  19. Trader roal = new Trader("Roal", "Cambridge");
  20. Trader mario = new Trader("Mario", "Milan");
  21. Trader alan = new Trader("Alan", "Cambridge");
  22. Trader brian = new Trader("Brian", "Cambridge");
  23. transactions = Arrays.asList(
  24. new Transaction(brian, 2019, 300),
  25. new Transaction(roal, 2013, 1000),
  26. new Transaction(roal, 2015, 400),
  27. new Transaction(mario, 2013, 710),
  28. new Transaction(mario, 2013, 700),
  29. new Transaction(alan, 2014, 950)
  30. );
  31. }
  32. // 1.找出2013年发生的所有交易,并按交易额排序(从低到高)
  33. @Test
  34. public void sortTest() {
  35. transactions.stream()
  36. .filter(t -> t.getYear() == 2013)
  37. .sorted((t1, t2) -> Integer.compare(t1.getValue(), t2.getValue()))
  38. .forEach(System.out::println);
  39. }
  40. // 2.交易员都在哪些不同的城市工作过
  41. @Test
  42. public void cityTest() {
  43. transactions.stream()
  44. .map(t -> t.getTrader().getCity())
  45. .distinct()
  46. .forEach(System.out::println);
  47. }
  48. // 3.查找所有来自剑桥的交易员,并按姓名排序
  49. @Test
  50. public void nameSortTest() {
  51. transactions.stream()
  52. .filter(t -> t.getTrader().getCity().equals("Cambridge"))
  53. .map(Transaction::getTrader)
  54. .distinct()
  55. .sorted((t1, t2) -> t1.getName().compareTo(t2.getCity()))
  56. .forEach(System.out::println);
  57. }
  58. // 4.返回所有交易员的姓名字符串,按字母排序
  59. @Test
  60. public void nameStrTest() {
  61. transactions.stream()
  62. .map(Transaction::getTrader)
  63. .map(Trader::getName)
  64. .distinct()
  65. .sorted(String::compareTo)
  66. .forEach(System.out::println);
  67. System.out.println("--------------------------");
  68. transactions.stream()
  69. .map(transaction -> transaction.getTrader().getName())
  70. .distinct()
  71. .sorted()
  72. .forEach(System.out::println);
  73. String traderName = transactions.stream()
  74. .map(transaction -> transaction.getTrader().getName())
  75. .distinct()
  76. .sorted()
  77. .reduce("", String::concat);
  78. System.out.println(traderName);
  79. }
  80. // 5.有没有交易员是在米兰工作的
  81. @Test
  82. public void baseTest() {
  83. boolean baseAddress = transactions.stream()
  84. .anyMatch(t -> t.getTrader().getCity().equals("Milan"));
  85. System.out.println(baseAddress);
  86. }
  87. // 6.打印生活在剑桥的交易员的所有交易额
  88. @Test
  89. public void lifeTest() {
  90. Optional<Integer> sum = transactions.stream()
  91. .filter(transaction -> transaction.getTrader().getCity().equals("Cambridge"))
  92. .map(Transaction::getValue)
  93. .reduce(Integer::sum);
  94. System.out.println(sum.get());
  95. }
  96. // 7.所有交易中,最高的交易额是多少
  97. @Test
  98. public void maxTest() {
  99. Optional<Integer> max = transactions.stream()
  100. .map(transaction -> transaction.getValue())
  101. .max(Integer::compare);
  102. System.out.println(max.get());
  103. }
  104. // 8.找到交易额最小的交易
  105. @Test
  106. public void minTest() {
  107. Optional<Transaction> min = transactions.stream()
  108. .min((t1, t2) -> Integer.compare(t1.getValue(), t2.getValue()));
  109. System.out.println(min);
  110. }
  111. }