当前位置:   article > 正文

JDK1.8新特性_jdk1.8的新特性

jdk1.8的新特性

目录

一、Lambda 表达式

(一)Lambda 表达式语法

(二)类型推断

二、函数式接口

(一)自定义函数式接口

(二)作为参数传递Lambda 表达式

(三)Java 内置四大核心函数式接口

三、方法引用

四、Stream API

(一)什么是Stream?

(二)Stream 的操作三个步骤

(三)创建流的四种方式

(四)Stream的中间操作

(五)Stream的终止操作

五、综合案例

六、新时间日期API

(一)使用LocalDate、LocalTime、LocalDateTime

(二)使用Instant时间戳

(三)Duration 和 Period

(四)日期的操纵

(五)解析与格式化

(六)时区的处理

(七)与传统日期处理的转换

七、接口中的默认方法与静态方法

八、其他新特性

(一)Optional 类

(二)重复注解与类型注解


一、Lambda 表达式

Lambda 是一个 匿名函数 ,我们可以把 Lambda表达式理解为是 一段可以传递的代码 (将代码像数据一样进行传递)。可以写出更简洁、更灵活的代码。作为一种更紧凑的代码风格,使Java的语言表达能力得到了提升。
案例:从匿名内部类---》Lambda表达式
  1. // 原来的匿名内部类
  2. @Test
  3. public void test1() {
  4. Comparator<Integer> com = new Comparator<Integer>() {
  5. @Override
  6. public int compare(Integer o1, Integer o2) {
  7. return Integer.compare(o1, o2);
  8. }
  9. };
  10. TreeSet<Integer> ts = new TreeSet<>(com);
  11. }
  12. // Lambda表达式
  13. @Test
  14. public void test2() {
  15. Comparator<Integer> com = (o1, o2) -> Integer.compare(o1, o2);
  16. TreeSet<Integer> ts = new TreeSet<>(com);
  17. }

(一)Lambda 表达式语法

Lambda 表达式在Java 语言中引入了一个新的语法元素和操作符。这个操作符为 “ -> ” , 该操作符被称为 Lambda 操作符或剪头操作符。它将 Lambda 分为两个部分:
  • 左侧:指定了 Lambda 表达式需要的所有参数
  • 右侧:指定了 Lambda 体,即 Lambda 表达式要执行的功能。

语法格式一:无参,无返回值,Lambda体只需一条语句

 语法格式二:Lambda需要一个参数

语法格式三:Lambda只需要一个参数时,参数的小括号可以省略 

语法格式四:Lambda需要两个参数,并且有返回值

语法格式五:当 Lambda 体只有一条语句时,return 与大括号可以省略

 (二)类型推断

上述 Lambda 表达式中的参数类型都是由编译器推断得出的。Lambda 表达式中无需指定类型,程序依然可以编译,这是因为 javac 根据程序的上下文,在后台推断出了参数的类型。Lambda 表达式的类型依赖于上下文环境,是由编译器推断出来的。这就是所谓的 “类型推断“

二、函数式接口

只包含一个抽象方法的接口,称为 函数式接口
  • 你可以通过 Lambda 表达式来创建该接口的对象。(若 Lambda表达式抛出一个受检异常,那么该异常需要在目标接口的抽象方法上进行声明)。
  • 我们可以在任意函数式接口上使用 @FunctionalInterface 注解,这样做可以检查它是否是一个函数式接口,同时 javadoc 也会包含一条声明,说明这个接口是一个函数式接口。

(一)自定义函数式接口

(二)作为参数传递Lambda 表达式

作为参数传递 Lambda 表达式:为了将 Lambda 表达式作为参数传递,接 收Lambda 表达式的参数类型必须是与该 Lambda 表达式兼容的函数式接口 的类型。

(三)Java 内置四大核心函数式接口

 

其他子接口(参数个数) 

  1. /*
  2. * @Description Java8 内置四大核心函数式接口
  3. * Consumer<T> : 消费型接口
  4. * void accept(T t)
  5. *
  6. * Supplier<T> : 供给型接口
  7. * T get();
  8. *
  9. * Function<T, R> : 函数型接口
  10. * R apply(T t)
  11. *
  12. * Predicate<T> : 断言型接口
  13. * boolean test(T t)
  14. **/
  15. public class TestLambda02 {
  16. /*
  17. * Predicate<T> : 断言型接口
  18. * 将长度大于等于3的字符串输出
  19. */
  20. @Test
  21. public void test04() {
  22. List<String> stringList = Arrays.asList("hello", "world","you");
  23. List<String> list = getStringList(stringList, (s) -> s.length() > 3);
  24. list.forEach(System.out::println);
  25. }
  26. public List<String> getStringList(List<String> stringList, Predicate<String> pre) {
  27. List<String> strings = new ArrayList<>();
  28. for (String s : stringList) {
  29. if(pre.test(s)) {
  30. strings.add(s);
  31. }
  32. }
  33. return strings;
  34. }
  35. /*
  36. * Function<T, R> : 函数型接口
  37. *
  38. */
  39. @Test
  40. public void test03() {
  41. String string = getString("\t\t\t 帅哥好帅", (str) -> str.trim());
  42. System.out.println(string);
  43. }
  44. public String getString(String str, Function<String ,String> func) {
  45. return func.apply(str);
  46. }
  47. /*
  48. * Supplier<T> : 供给型接口
  49. * 随机产生10个数字
  50. */
  51. @Test
  52. public void test02() {
  53. int num = 10;
  54. generator(num, () -> (int)(Math.random() * 100) + 1);
  55. }
  56. public void generator(int x, Supplier<Integer> sup) {
  57. List<Integer> integerList = new ArrayList<>();
  58. for(int i = 0; i < x; i ++) {
  59. Integer integer = sup.get();
  60. integerList.add(integer);
  61. }
  62. integerList.forEach(System.out::println);
  63. }
  64. /*
  65. * Consumer<T> : 消费型接口
  66. */
  67. @Test
  68. public void test01() {
  69. int num = 100;
  70. consumer(num, x -> System.out.println("消费了" + num + "元"));
  71. }
  72. public void consumer(int num, Consumer<Integer> com) {
  73. com.accept(num);
  74. }
  75. }

三、方法引用

当要传递给Lambda体的操作,已经有实现的方法了,可以使用方法引用!
实现抽象方法的参数列表,必须与方法引用方法的参数列表保持一致!
方法引用:使用操作符 “ :: ” 将方法名和对象或类的名字分隔开来。
如下三种主要使用情况
  • 对象::实例方法
  • 类::静态方法
  • 类::实例方法
  1. /*
  2. * 一、方法引用: 若Lambda体中的内容有方法已经实现了,我们可以通过方法引用
  3. * (即方法引用是Lambda表达式的另外一种表现形式)
  4. * 主要有三种语法格式:
  5. *
  6. * 对象::实例方法名
  7. * 类::静态方法名
  8. * 类::实例方法名
  9. *
  10. * 注意:Lambda体中调用方法的参数列表与返回值类型,要与函数式接口中抽象方法的参数列表和返回值类型一致
  11. *
  12. * 二、构造器引用
  13. * 格式: ClassName::New
  14. *
  15. * 注意:需要调用的构造器的参数列表要与函数式接口中的抽象方法的参数列表一致!
  16. *
  17. * 三、数组引用
  18. * 格式:Type[]::new
  19. */
  20. public class TestMethodRef {
  21. // 数组引用
  22. @Test
  23. public void test05() {
  24. Function<Integer, String[]> func = (x) -> new String[x];
  25. String[] strings = func.apply(10);
  26. System.out.println(strings.length);
  27. Function<Integer, String[]> func2 = String[]::new;
  28. String[] strs = func2.apply(20);
  29. System.out.println(strs.length);
  30. }
  31. // 构造器引用
  32. @Test
  33. public void test04() {
  34. Supplier<Employee> sup = () -> new Employee();
  35. // 构造器引用的方式
  36. Supplier<Employee> sup2 = Employee::new;
  37. Employee employee = sup2.get();
  38. System.out.println(employee);
  39. /*
  40. * 如何知道调用的是哪一个构造方法?
  41. * 根据函数式接口传入的参数的个数决定调用的构造器方法
  42. */
  43. Function<Integer, Employee> func = Employee::new;
  44. Employee employee1 = func.apply(20);
  45. System.out.println(employee1);
  46. }
  47. // 类::实例方法名
  48. @Test
  49. public void tes03() {
  50. // 规则:若Lambda参数列表中的第一参数是实例方法的调用者,第二参数是实例方法的参数时,此时
  51. // 可以通过 class::method
  52. BiPredicate<String ,String> bp = (x, y) -> x.equals(y);
  53. BiPredicate<String ,String> bp1 = String::equals;
  54. }
  55. // 对象::静态方法
  56. @Test
  57. public void test02() {
  58. Comparator<Integer> com = (x, y) -> Integer.compare(x, y);
  59. Comparator<Integer> com1 = Integer::compare;
  60. }
  61. // 对象::实例方法
  62. @Test
  63. public void test01() {
  64. PrintStream ps = System.out;
  65. Consumer<String> con = (x) -> System.out.println(x);
  66. Consumer<String> con2 = ps::println;
  67. }
  68. }

 四、Stream API

Java8中有两大最为重要的改变。第一个是 Lambda 表达式;另外一个则是 Stream API(java.util.stream.*) 。 Stream 是 Java8 中处理集合的关键抽象概念,它可以指定你希望对集合进行的操作,可以执行非常复杂的查找、过滤和映射数据等操作。
使用Stream API 对集合数据进行操作,就类似于使用 SQL 执行的数据库查询。也可以使用 Stream API 来并行执行操作。简而言之,Stream API 提供了一种高效且易于使用的处理数据的方式。

(一)什么是Stream?

流(Stream) 到底是什么呢?
是数据渠道,用于操作数据源(集合、数组等)所生成的元素序列。
“集合讲的是数据,流讲的是计算!”
注意:
①Stream 自己不会存储元素。
②Stream 不会改变源对象。相反,他们会返回一个持有结果的新Stream。
③Stream 操作是延迟执行的。这意味着他们会等到需要结果的时候才执行。

 (二)Stream 的操作三个步骤

  • 创建 Stream
        一个数据源(如:集合、数组),获取一个流
  • 中间操作
        一个中间操作链,对数据源的数据进行处理
  • 终止操作(终端操作)
        一个终止操作,执行中间操作链,并产生结果

(三)创建流的四种方式

方式一:Collection接口

Java8 中的 Collection 接口被扩展,提供了
两个获取流的方法
default Stream<E> stream() : 返回一个顺序流
default Stream<E> parallelStream() : 返回一个并行流

方式二:数组创建流

Java8 中的 Arrays 的静态方法 stream() 可
以获取数组流:
static <T> Stream<T> stream(T[] array): 返回一个流
重载形式,能够处理对应基本类型的数组:
public static IntStream stream(int[] array)
public static LongStream stream(long[] array)
public static DoubleStream stream(double[] array)
方式三:由值创建流
可以使用静态方法 Stream.of(), 通过显示值
创建一个流。它可以接收任意数量的参数。
public static<T> Stream<T> of(T... values) : 返回一个流
方式四:由函数创建流
可以使用静态方法 Stream.iterate() 和
Stream.generate(), 创建无限流。
迭代
public static<T> Stream<T> iterate(final T seed, final
UnaryOperator<T> f)
生成
public static<T> Stream<T> generate(Supplier<T> s) :
  1. /*
  2. * 一、Stream的三个操作
  3. * ① 创建Stream流对象
  4. * ② 中间操作
  5. * ③ 终止操作
  6. */
  7. public class testStream {
  8. // 创建stream
  9. @Test
  10. public void test1() {
  11. //1.可以通过Collection 系列集合提供的stream() or parallelStream()
  12. List<Integer> list = new ArrayList<>();
  13. Stream<Integer> stream1 = list.stream();
  14. //2. 通过Arrays的静态方法stream()获取数组流
  15. Employee[] emps = new Employee[2];
  16. Stream<Employee> stream2 = Arrays.stream(emps);
  17. //3. 通过stream的静态方法of()
  18. Stream<Integer> stream3 = Stream.of(1, 2, 3);
  19. //4. 创建无限流
  20. // 迭代
  21. Stream<Integer> stream4 = Stream.iterate(0, (x) -> x + 2);
  22. stream4.limit(10).forEach(System.out::println);
  23. // 生成
  24. Stream<Double> stream5 = Stream.generate(Math::random);
  25. stream5.limit(10).forEach(System.out::println);
  26. }
  27. }

 (四)Stream的中间操作

多个 中间操作 可以连接起来形成一个 流水线 ,除非流水线上触发终止操作,否则 中间操作不会执行任何的处理 !而在 终止操作时一次性全部处理,称为“惰性求值”
筛选与切片

 映射

排序

  1. /*
  2. * 一、Stream的三个操作
  3. * ① 创建Stream流对象
  4. * ② 中间操作
  5. * ③ 终止操作
  6. */
  7. public class testStreamApi {
  8. List<Employee> empList = Arrays.asList(
  9. new Employee("张三", 50, 7777.77),
  10. new Employee("李四", 35, 8888.6),
  11. new Employee("王五", 20, 999.55),
  12. new Employee("赵六", 40, 1000.5),
  13. new Employee("赵六", 40, 1000.5),
  14. new Employee("赵六", 40, 1000.5));
  15. // 中间操作
  16. /*
  17. 排序
  18. sorted()-自然排序(Comparable)
  19. sorted(Comparator com)---定制排序(Comparator)
  20. */
  21. @Test
  22. public void test06() {
  23. List<String> strs = Arrays.asList("aaa", "bbb", "ccc");
  24. strs.stream()
  25. .sorted() // 按已经实现的comparator接口的排序规则进行排序称为自然排序
  26. .forEach(System.out::println);
  27. // 先按年龄排序,然后按姓名排序
  28. empList.stream()
  29. .sorted((x, y) -> {
  30. if(x.getAge().equals(y.getAge())) {
  31. return x.getName().compareTo(y.getName());
  32. }
  33. return x.getAge().compareTo(y.getAge());
  34. })
  35. .forEach(System.out::println);
  36. }
  37. /*
  38. 映射
  39. map一接收 Lambda ,将元素转换成其他形式或提取信息。接收一个函数作为参数,该函数会被用到每个元素上,并将其映射成一个新的元素
  40. flatMap一接收一个函数作为参数,将流中的每个值都换成另一个流,然后把所有流连接成一个流
  41. */
  42. @Test
  43. public void test05() {
  44. List<String> stringList = Arrays.asList("aaa", "bbb", "ccc");
  45. stringList.stream()
  46. .map((str) -> str.toUpperCase())
  47. .forEach(System.out::println);
  48. System.out.println("---------------------------------");
  49. // 获取员工的名字
  50. empList.stream()
  51. .distinct()
  52. .map(Employee::getName)
  53. .forEach(System.out::println);
  54. System.out.println("---------------------------------");
  55. // map实现将每个字符串转化为字符 复杂
  56. Stream<Stream<Character>> streamStream = stringList.stream()
  57. .map(testStreamApi::filterCharacter);
  58. streamStream.forEach((sm) -> {
  59. sm.forEach(System.out::println);
  60. });
  61. System.out.println("---------------------------------");
  62. // flatMap实现将每个字符串转化为字符 简单
  63. Stream<Character> stream = stringList.stream()
  64. .flatMap(testStreamApi::filterCharacter);
  65. stream.forEach(System.out::println);
  66. }
  67. public static Stream<Character> filterCharacter(String str) {
  68. List<Character> list = new ArrayList<>();
  69. for(Character ch : str.toCharArray()) {
  70. list.add(ch);
  71. }
  72. return list.stream();
  73. }
  74. /*
  75. 筛选与切片
  76. filter-接收 Lambda ,从流中排除某些元素。
  77. limit-截断流,使其元素不超过给定数量。
  78. skip(n) - 跳过元素,返回一个扔掉了前 n 个元素的流。若流中元素不足 n 个,则返回一个空流。与 limit(n) 互补
  79. distinct-筛选,通过流所生成元素的 hashCode() 和 equals() 去除重复元素
  80. *
  81. */
  82. @Test
  83. public void test04() {
  84. empList.stream()
  85. .filter((e) -> e.getAge() > 30)
  86. .skip(2)
  87. .distinct() // 这里是根据hashCode和equals,所以employee需要重写hashCode和equals
  88. .forEach(System.out::println);
  89. }
  90. @Test
  91. public void test03() {
  92. empList.stream()
  93. .filter((e) -> e.getAge() > 30)
  94. .limit(2)
  95. .forEach(System.out::println);
  96. }
  97. // 内部迭代:即stream内部帮我们迭代
  98. @Test
  99. public void test01() {
  100. // 中间操作
  101. Stream<Employee> stream = empList.stream()
  102. .filter((e) -> e.getAge() > 30);
  103. // 终止操作:一次性执行全部内容,即“惰性求值”
  104. stream.forEach(System.out::println);
  105. }
  106. // 外部迭代
  107. @Test
  108. public void test02() {
  109. Iterator<Employee> iterator = empList.iterator();
  110. while(iterator.hasNext()) {
  111. Employee employee = iterator.next();
  112. if(employee.getAge() > 30) {
  113. System.out.println(employee);
  114. }
  115. }
  116. }
  117. }

 (五)Stream的终止操作

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

  1. public class testStreamApi2 {
  2. List<Employee> empList = Arrays.asList(
  3. new Employee("张三", 50, 7777.77, Employee.Status.FREE),
  4. new Employee("李四", 35, 8888.6, Employee.Status.BUSY),
  5. new Employee("王五", 20, 999.55, Employee.Status.VOCATION),
  6. new Employee("赵六", 40, 1000.5, Employee.Status.BUSY),
  7. new Employee("赵六", 40, 1000.5, Employee.Status.FREE),
  8. new Employee("赵六", 40, 1000.5, Employee.Status.VOCATION));
  9. /*
  10. 收集
  11. collect一将流转换为其他形式。接收一个 Collector接口的实现,用于给Stream中元素做汇总的方法
  12. */
  13. // 其他
  14. @Test
  15. public void test09() {
  16. DoubleSummaryStatistics ssd = empList.stream()
  17. .collect(Collectors.summarizingDouble(Employee::getSalary));
  18. System.out.println(ssd.getAverage());
  19. System.out.println(ssd.getMax());
  20. System.out.println(ssd.getMin());
  21. String str = empList.stream()
  22. .map(Employee::getName)
  23. .collect(Collectors.joining(",", "===", "==="));
  24. System.out.println(str);
  25. }
  26. // 分区
  27. @Test
  28. public void test08() {
  29. // 分成true和false两个区
  30. Map<Boolean, List<Employee>> map = empList.stream()
  31. .collect(Collectors.partitioningBy((e) -> e.getSalary() > 5000));
  32. System.out.println(map);
  33. }
  34. // 多级分组
  35. @Test
  36. public void test07() {
  37. Map<Employee.Status, Map<String, List<Employee>>> map = empList.stream()
  38. .collect(Collectors.groupingBy(Employee::getStatus, Collectors.groupingBy((e) -> {
  39. if (e.getAge() < 30) {
  40. return "青年";
  41. } else if (e.getAge() < 50) {
  42. return "中年";
  43. } else {
  44. return "老年";
  45. }
  46. })));
  47. System.out.println(map);
  48. }
  49. // 分组
  50. @Test
  51. public void test06() {
  52. Map<Employee.Status, List<Employee>> map = empList.stream()
  53. .collect(Collectors.groupingBy(Employee::getStatus));
  54. System.out.println(map);
  55. }
  56. @Test
  57. public void test05() {
  58. Long size = empList.stream()
  59. .collect(Collectors.counting());
  60. System.out.println(size);
  61. Double avg = empList.stream()
  62. .collect(Collectors.averagingDouble(Employee::getSalary));
  63. System.out.println(avg);
  64. Double sum = empList.stream().collect(Collectors.summingDouble(Employee::getSalary));
  65. System.out.println(sum);
  66. Optional<Double> max = empList.stream()
  67. .map(Employee::getSalary)
  68. .collect(Collectors.maxBy(Double::compareTo));
  69. System.out.println(max.get());
  70. Optional<Employee> min = empList.stream()
  71. .collect(Collectors.minBy((x, y) -> Double.compare(x.getSalary(), y.getSalary())));
  72. System.out.println(min.get());
  73. }
  74. @Test
  75. public void test04() {
  76. List<String> list1 = empList.stream()
  77. .map(Employee::getName)
  78. .collect(Collectors.toList());
  79. list1.forEach(System.out::println);
  80. System.out.println("------------------------");
  81. Set<String> set = empList.stream()
  82. .map(Employee::getName)
  83. .collect(Collectors.toSet());
  84. set.forEach(System.out::println);
  85. System.out.println("------------------------");
  86. LinkedHashSet<String> hashSet = empList.stream()
  87. .map(Employee::getName)
  88. .collect(Collectors.toCollection(LinkedHashSet::new));
  89. hashSet.forEach(System.out::println);
  90. }
  91. /*
  92. 规约
  93. reduce(T identity,BinaryOperator) / reduce(BinaryOperator)
  94. ——可以将流中元素反复结合起来,得到一个值。
  95. */
  96. @Test
  97. public void test03() {
  98. List<Integer> list = Arrays.asList(1, 2, 3);
  99. Integer sum1 = list.stream()
  100. .reduce(1, (x, y) -> x + y);
  101. System.out.println(sum1);
  102. Optional<Double> sum2 = empList.stream()
  103. .map(Employee::getSalary)
  104. .reduce(Double::sum);
  105. System.out.println(sum2.get());
  106. }
  107. /*
  108. 查找与匹配
  109. allMatch-检查是否匹配所有元素
  110. anyMatch-检查是否至少匹配一个元素
  111. noneMatch-检查是否没有匹配所有元素
  112. findFirst-返回第一个元素
  113. findAny-返回当前流中的任意元素
  114. count-返回流中元素的总个数
  115. max一返回流中最大值
  116. min-返回流中最小值
  117. */
  118. @Test
  119. public void test02() {
  120. // 数量
  121. long count = empList.stream()
  122. .count();
  123. System.out.println(count);
  124. // 最大值
  125. Optional<Employee> max = empList.stream()
  126. .max((x, y) -> Double.compare(x.getSalary(), y.getSalary()));
  127. System.out.println(max.get().getSalary());
  128. // 最小值
  129. Optional<Double> min = empList.stream()
  130. .map(Employee::getSalary)
  131. .min(Double::compareTo);
  132. System.out.println(min.get());
  133. }
  134. @Test
  135. public void test01() {
  136. boolean b1 = empList.stream()
  137. .allMatch((e) -> e.getStatus().equals(Employee.Status.FREE));
  138. System.out.println(b1);
  139. boolean b2 = empList.stream()
  140. .anyMatch((e) -> e.getStatus().equals(Employee.Status.FREE));
  141. System.out.println(b2);
  142. boolean b3 = empList.stream()
  143. .noneMatch((e) -> e.getStatus().equals(Employee.Status.FREE));
  144. System.out.println(b3);
  145. // 返回的值有可能为空所以封装到了Optional
  146. Optional<Employee> op1 = empList.stream()
  147. .sorted((x, y) -> Double.compare(x.getSalary(), y.getSalary()))
  148. .findFirst();
  149. System.out.println(op1.get());
  150. Optional<Employee> op2 = empList.stream()
  151. .sorted((x, y) -> Double.compare(x.getSalary(), y.getSalary()))
  152. .findAny();
  153. System.out.println(op2.get());
  154. }
  155. }

 案例:

  1. public class testStreamApi3 {
  2. /*
  3. * 1。给定一个数字列表,如何返回一个由每个数的平方构成的列表呢?
  4. 给定[1,2,3,4,5],应该返回[1,4,9,16,25]。
  5. */
  6. @Test
  7. public void test() {
  8. Integer[] num = new Integer[]{1, 2, 3, 4, 5};
  9. Stream<Integer> stream = Arrays.stream(num);
  10. stream.map(x -> x*x).forEach(System.out::println);
  11. }
  12. List<Employee> empList = Arrays.asList(
  13. new Employee("张三", 50, 7777.77),
  14. new Employee("李四", 35, 8888.6),
  15. new Employee("王五", 20, 999.55),
  16. new Employee("赵六", 40, 1000.5),
  17. new Employee("赵六", 40, 1000.5),
  18. new Employee("赵六", 40, 1000.5));
  19. /*
  20. * 如何看流中有多少个employee
  21. * 用map和reduce实现
  22. */
  23. @Test
  24. public void test2() {
  25. Optional<Integer> sum = empList.stream()
  26. .map(e -> 1)
  27. .reduce(Integer::sum);
  28. System.out.println(sum.get());
  29. }
  30. }

 五、综合案例

  1. public interface MyPredicate<T> {
  2. public boolean test(Employee employee);
  3. }
  4. ====================================================================
  5. List<Employee> empList = Arrays.asList(
  6. new Employee("张三", 50, 7777.77),
  7. new Employee("李四", 35, 8888.6),
  8. new Employee("王五", 20, 999.55),
  9. new Employee("赵六", 40, 1000.5)
  10. );
  11. // 需求:获取当前公司中员工年龄大于35的员工
  12. @Test
  13. public void test3() {
  14. List<Employee> employees = filterList(empList);
  15. for (Employee employee : employees) {
  16. System.out.println(employee);
  17. }
  18. System.out.println("---------------------------------");
  19. employees = filterListBySalary(empList);
  20. for (Employee employee : employees) {
  21. System.out.println(employee);
  22. }
  23. }
  24. public List<Employee> filterList(List<Employee> empList) {
  25. List<Employee> emps = new ArrayList<>();
  26. for (Employee emp : empList) {
  27. if(emp.getAge() > 35) {
  28. emps.add(emp);
  29. }
  30. }
  31. return emps;
  32. }
  33. // 需求:获取当前公司中员工工资大于4000的员工
  34. public List<Employee> filterListBySalary(List<Employee> empList) {
  35. List<Employee> emps = new ArrayList<>();
  36. for (Employee emp : empList) {
  37. if(emp.getSalary() > 4000) {
  38. emps.add(emp);
  39. }
  40. }
  41. return emps;
  42. }
  43. // 优化方式一:策略设计模式
  44. @Test
  45. public void test4() {
  46. List<Employee> employees
  47. = filterList(empList, new filterEmployeeByAge());
  48. for (Employee employee : employees) {
  49. System.out.println(employee);
  50. }
  51. System.out.println("--------------------------------");
  52. employees
  53. = filterList(empList, new filterEmployeeBySalary());
  54. for (Employee employee : employees) {
  55. System.out.println(employee);
  56. }
  57. }
  58. public List<Employee> filterList(List<Employee> empList, MyPredicate<Employee> pre) {
  59. List<Employee> emps = new ArrayList<>();
  60. for (Employee emp : empList) {
  61. if(pre.test(emp)) {
  62. emps.add(emp);
  63. }
  64. }
  65. return emps;
  66. }
  67. // 优化方式二:匿名内部类
  68. @Test
  69. public void test5() {
  70. List<Employee> emps = filterList(empList, new MyPredicate<Employee>() {
  71. @Override
  72. public boolean test(Employee employee) {
  73. return employee.getSalary() > 4000;
  74. }
  75. });
  76. emps.forEach(System.out::println);
  77. }
  78. // 优化方式三:Lambda表达式
  79. @Test
  80. public void test6() {
  81. List<Employee> employees = filterList(empList, e -> e.getSalary() > 4000);
  82. employees.forEach(System.out::println);
  83. }
  84. // 优化方式四:streamApi
  85. @Test
  86. public void test7() {
  87. empList.stream()
  88. .filter(e -> e.getSalary() > 4000)
  89. .limit(1)
  90. .forEach(System.out::println);
  91. System.out.println("-----------------------");
  92. empList.stream()
  93. .map(Employee::getName)
  94. .forEach(System.out::println);
  95. }

六、新时间日期API

原本的时间相关的类存在线程安全问题

  1. public class testSimpleDateFormat {
  2. public static void main(String[] args) throws ExecutionException, InterruptedException {
  3. SimpleDateFormat sdf = new SimpleDateFormat("yyyyMMdd");
  4. Callable<Date> task = new Callable<Date>() {
  5. @Override
  6. public Date call() throws Exception {
  7. return sdf.parse("20230518");
  8. }
  9. };
  10. ExecutorService pool = Executors.newFixedThreadPool(10);
  11. List<Future<Date>> results = new ArrayList<>();
  12. for(int i = 0; i < 10; i ++) {
  13. results.add(pool.submit(task));
  14. }
  15. for(Future<Date> future:results) {
  16. System.out.println(future.get());
  17. }
  18. pool.shutdown();
  19. }
  20. }

以前的方式,加锁,这里使用ThreadLocal

  1. public class DateFormatThreadLocal {
  2. private static final ThreadLocal<DateFormat> df = new ThreadLocal<DateFormat>(){
  3. protected DateFormat initialValue() {
  4. return new SimpleDateFormat("yyyyMMdd");
  5. }
  6. };
  7. public static Date convert(String source) throws ParseException {
  8. return df.get().parse(source);
  9. }
  10. }
  11. =========================================================================
  12. public class testSimpleDateFormat {
  13. public static void main(String[] args) throws ExecutionException, InterruptedException {
  14. // SimpleDateFormat sdf = new SimpleDateFormat("yyyyMMdd");
  15. Callable<Date> task = new Callable<Date>() {
  16. @Override
  17. public Date call() throws Exception {
  18. // return sdf.parse("20230518");
  19. return DateFormatThreadLocal.convert("20230518");
  20. }
  21. };
  22. ExecutorService pool = Executors.newFixedThreadPool(10);
  23. List<Future<Date>> results = new ArrayList<>();
  24. for(int i = 0; i < 10; i ++) {
  25. results.add(pool.submit(task));
  26. }
  27. for(Future<Date> future:results) {
  28. System.out.println(future.get());
  29. }
  30. pool.shutdown();
  31. }
  32. }

 jdk1.8的时间类

  1. public class testSimpleDateFormat {
  2. public static void main(String[] args) throws ExecutionException, InterruptedException {
  3. DateTimeFormatter dtf = DateTimeFormatter.ofPattern("yyyyMMdd");
  4. Callable<LocalDate> task = new Callable<LocalDate>() {
  5. @Override
  6. public LocalDate call() throws Exception {
  7. return LocalDate.parse("20230518", dtf);
  8. }
  9. };
  10. ExecutorService pool = Executors.newFixedThreadPool(10);
  11. List<Future<LocalDate>> results = new ArrayList<>();
  12. for(int i = 0; i < 10; i ++) {
  13. results.add(pool.submit(task));
  14. }
  15. for(Future<LocalDate> future:results) {
  16. System.out.println(future.get());
  17. }
  18. pool.shutdown();
  19. }
  20. }

(一)使用LocalDateLocalTimeLocalDateTime

LocalDate LocalTime LocalDateTime 类的实例是 不可变的对象 ,分别表示使用 ISO-8601
历系统的日期、时间、日期和时间。它们提供了简单的日期或时间,并不包含当前的时间信息。也不包含与时区相关的信息。

(二)使用Instant时间戳

用于“时间戳”的运算。它是以 Unix 元年 ( 传统的设定为UTC 时区 1970 1 1 日午夜时分 ) 开始所经历的描述进行运算

(三)Duration Period

Duration: 用于计算两个“时间”间隔
Period: 用于计算两个“日期”间隔

(四)日期的操纵

TemporalAdjuster : 时间校正器。有时我们可能需要获取例如:将日期调整到“下个周日”等操作。
TemporalAdjuster s : 该类通过静态方法提供了大量的常用 TemporalAdjuster 的实现。

(五)解析与格式化

java.time.format.DateTimeFormatter 类:该类提供了三种
格式化方法:
预定义的标准格式
语言环境相关的格式
自定义的格式

(六)时区的处理

Java8 中加入了对时区的支持,带时区的时间为分别为:
ZonedDate ZonedTime ZonedDateTime
其中每个时区都对应着 ID ,地区 ID 都为 “{区域 }/{ 城市 } ”的格式
例如 : Asia/Shanghai
ZoneId :该类中包含了所有的时区信息
        getAvailableZoneIds() : 可以获取所有时区时区信息
        of(id) : 用指定的时区信息获取 ZoneId 对象

(七)与传统日期处理的转换

  1. public class testLocalDateTime {
  2. // ZonedDate/ZonedTime/ZonedDateTime 时区相关的
  3. @Test
  4. public void test8() {
  5. // 获得的是指定时区的当前时间
  6. LocalDateTime ldt = LocalDateTime.now(ZoneId.of("Asia/Shanghai"));
  7. System.out.println(ldt);
  8. LocalDateTime ldt2 = LocalDateTime.now();
  9. ZonedDateTime zdt = ldt2.atZone(ZoneId.of("Asia/Shanghai"));
  10. // 输出2023-05-18T22:01:45.684+08:00[Asia/Shanghai]
  11. // +08:00 是距离UTC的时间差
  12. System.out.println(zdt);
  13. }
  14. @Test
  15. public void test7() {
  16. // 获取支持的时区
  17. Set<String> set = ZoneId.getAvailableZoneIds();
  18. set.forEach(System.out::println);
  19. }
  20. // DateTimeFormatter : 格式化时间/日期
  21. @Test
  22. public void test6() {
  23. DateTimeFormatter dtf1 = DateTimeFormatter.ISO_DATE;
  24. LocalDateTime ldt1 = LocalDateTime.now();
  25. System.out.println(ldt1.format(dtf1));
  26. System.out.println("-------------------------------");
  27. // 格式化
  28. DateTimeFormatter dtf2 = DateTimeFormatter.ofPattern("yyyy年MM月dd日 HH:mm:ss");
  29. String time = ldt1.format(dtf2);
  30. System.out.println(time);
  31. // 再格式化回去
  32. LocalDateTime ldt2 = ldt1.parse(time, dtf2);
  33. System.out.println(ldt2);
  34. }
  35. // TemporalAdjuster: 时间矫正器
  36. @Test
  37. public void test5() {
  38. LocalDateTime ldt1 = LocalDateTime.now();
  39. System.out.println(ldt1);
  40. // 直接设置日期为哪一天,不太方便求下一个周几等的操作
  41. LocalDateTime ldt2 = ldt1.withDayOfMonth(10);
  42. System.out.println(ldt2);
  43. // 求下一个星期日
  44. LocalDateTime ldt3 = ldt1.with(TemporalAdjusters.next(DayOfWeek.SUNDAY));
  45. System.out.println(ldt3);
  46. //自定义:下一个工作日
  47. LocalDateTime ldt5 = ldt1.with((l) -> {
  48. LocalDateTime ldt4 = (LocalDateTime)l;
  49. DayOfWeek dayOfWeek = ldt4.getDayOfWeek();
  50. if(dayOfWeek.equals(DayOfWeek.FRIDAY)) {
  51. return ldt4.plusDays(3);
  52. } else if(dayOfWeek.equals(DayOfWeek.SATURDAY)) {
  53. return ldt4.plusDays(2);
  54. } else {
  55. return ldt4.plusDays(1);
  56. }
  57. });
  58. System.out.println(ldt5);
  59. }
  60. // 3、 Duration: 计算两个“时间”之间的间隔
  61. // Period: 计算两个“日期”之间的间隔
  62. @Test
  63. public void test4() {
  64. LocalDate l1 = LocalDate.of(2022, 5, 17);
  65. LocalDate l2 = LocalDate.now();
  66. Period period = Period.between(l1, l2);
  67. System.out.println(period);
  68. System.out.println(period.getYears());
  69. System.out.println(period.getMonths());
  70. System.out.println(period.getDays());
  71. }
  72. @Test
  73. public void test3() throws InterruptedException {
  74. Instant i1 = Instant.now();
  75. Thread.sleep(1000);
  76. Instant i2 = Instant.now();
  77. System.out.println(Duration.between(i1, i2));
  78. System.out.println("----------------------------");
  79. LocalTime l1 = LocalTime.now();
  80. Thread.sleep(1000);
  81. LocalTime l2 = LocalTime.now();
  82. System.out.println(Duration.between(l1, l2));
  83. }
  84. // 2、Instant :时间戳(以Unix元年:1970年1月1日00:00:00到某个时间之间的毫秒数)
  85. @Test
  86. public void test2() {
  87. Instant i1 = Instant.now(); // 默认获取UTC时区
  88. System.out.println(i1);
  89. // 与中国相差八个时区,可设置偏移
  90. OffsetDateTime time = i1.atOffset(ZoneOffset.ofHours(8));
  91. System.out.println(time);
  92. // 从 1970-现在 的秒数
  93. long second = i1.getEpochSecond();
  94. System.out.println(second);
  95. // 从元年开始计算,这里是+60s
  96. Instant i2 = Instant.ofEpochSecond(60);
  97. System.out.println(i2);
  98. }
  99. // 1、LocalDate LocalTime LocalDateTime(前两个的结合体)
  100. // 一个会用另外两个也差不多了
  101. @Test
  102. public void test1() {
  103. // 返回当前年月日时分秒毫秒
  104. LocalDateTime ldt1 = LocalDateTime.now();
  105. System.out.println(ldt1);
  106. // 构造日期
  107. LocalDateTime ldt2 = LocalDateTime.of(2023, 5, 18, 20, 2, 20);
  108. System.out.println(ldt2);
  109. // 加年数
  110. LocalDateTime ldt3 = ldt1.plusYears(2);
  111. System.out.println(ldt3);
  112. // 减年数
  113. LocalDateTime ldt4 = ldt1.minusYears(2);
  114. System.out.println(ldt4);
  115. // 取详细信息
  116. System.out.println(ldt1.getYear());
  117. System.out.println(ldt1.getMonthValue());
  118. System.out.println(ldt1.getDayOfMonth());
  119. System.out.println(ldt1.getHour());
  120. System.out.println(ldt1.getMinute());
  121. System.out.println(ldt1.getNano());
  122. }
  123. }

 七、接口中的默认方法与静态方法

Java 8中允许接口中包含具有具体实现的方法,该方法称为“默认方法” ,默认方法使用 default 关键字修饰。
接口默认方法的”类优先”原则
若一个接口中定义了一个默认方法,而另外一个父类或接口中
又定义了一个同名的方法时
选择父类中的方法。如果一个父类提供了具体的实现,那么
接口中具有相同名称和参数的默认方法会被忽略。
接口冲突。如果一个父接口提供一个默认方法,而另一个接
口也提供了一个具有相同名称和参数列表的方法(不管方法
是否是默认方法),那么必须覆盖该方法来解决冲突

Java8 中,接口中允许添加静态方法。

  1. public class MyClass {
  2. public String getName() {
  3. return "father";
  4. }
  5. }
  6. ===========================================================================
  7. public interface MyFun {
  8. default String getName() {
  9. return "hahaha";
  10. }
  11. }
  12. ===========================================================================
  13. public interface MyInterface {
  14. default String getName() {
  15. return "heiheihei";
  16. }
  17. }
  18. ===========================================================================
  19. public class SubClass extends MyClass implements MyFun, MyInterface {
  20. // 两个接口中都有同名函数时,需要实现方法指定执行哪一个接口中的函数
  21. // 当父类中也有同名函数而子类中没有时,默认调用父类函数,忽略接口中的默认函数
  22. }
  23. ===========================================================================
  24. public class testDefault {
  25. public static void main(String[] args) {
  26. SubClass subClass = new SubClass();
  27. System.out.println(subClass.getName());
  28. }
  29. }

  1. public class SubClass extends MyClass implements MyFun, MyInterface {
  2. // 两个接口中都有同名函数时,需要实现方法指定执行哪一个接口中的函数
  3. // 当父类中也有同名函数而子类中没有时,默认调用父类函数,忽略接口中的默认函数
  4. @Override
  5. public String getName() {
  6. return MyInterface.super.getName();
  7. }
  8. }

  1. public interface MyInterface {
  2. default String getName() {
  3. return "heiheihei";
  4. }
  5. public static void show() {
  6. System.out.println("展示");
  7. }
  8. }
  9. ==================================================
  10. public class testDefault {
  11. public static void main(String[] args) {
  12. SubClass subClass = new SubClass();
  13. System.out.println(subClass.getName());
  14. // 调用接口中的静态方法
  15. MyInterface.show();
  16. }
  17. }

八、其他新特性

(一)Optional

Optional<T> 类(java.util.Optional) 是一个容器类,代表一个值存在或不存在,原来用 null 表示一个值不存在,现在 Optional 可以更好的表达这个概念。并且可以避免空指针异常。
常用方法:
  • Optional.of(T t) : 创建一个 Optional 实例
  • Optional.empty() : 创建一个空的 Optional 实例
  • Optional.ofNullable(T t):若 t 不为 null,创建 Optional 实例,否则创建空实例
  • isPresent() : 判断是否包含值
  • orElse(T t) : 如果调用对象包含值,返回该值,否则返回t
  • orElseGet(Supplier s) :如果调用对象包含值,返回该值,否则返回 s 获取的值
  • map(Function f): 如果有值对其处理,并返回处理后的Optional,否则返回 Optional.empty()
  • flatMap(Function mapper):与 map 类似,要求返回值必须是Optional
  1. public class testOptional {
  2. /*
  3. Optional 容器类的常用方法:
  4. Optional.of(T t) : 创建一个 Optional 实例
  5. Optional.empty() : 创建一个空的 Optional 实例
  6. Optional.ofNullable(T t):若 t 不为 null,创建 Optional 实例,否则创建空实例
  7. isPresent() : 判断是否包含值
  8. orElse(T t) : 如果调用对象包含值,返回该值,否则返回t
  9. orElseGet(Supplier s) :如果调用对象包含值,返回该值,否则返回 s 获取的值
  10. map(Function f): 如果有值对其处理,并返回处理后的Optional,否则返回 Optional,empty()
  11. flatMap(Function mapper):与 map 类似,要求返回值必须是Optional
  12. */
  13. // 为什么说它方便了空指针异常的调试,因为这里出现空值会报错NoSuchElementException
  14. @Test
  15. public void test6() {
  16. Optional<Employee> optional = Optional.ofNullable(new Employee("张三", 18, 50000.0, Employee.Status.BUSY));
  17. // Optional<String> name = optional.map((e) -> optional.get().getName());
  18. // System.out.println(name.get());
  19. Optional<String> name = optional.flatMap(e -> Optional.of(e.getName()));
  20. System.out.println(name.get());
  21. }
  22. @Test
  23. public void test5() {
  24. Optional<Employee> optional = Optional.ofNullable(null);
  25. // 如果optional为空,那么返回传进去的默认参数,否则返回optional的参数
  26. Employee employee1 = optional.orElse(new Employee());
  27. System.out.println(employee1);
  28. // 使用供给型函数式接口,如果optional为空,那么返回传进去的默认参数,否则返回optional的参数
  29. Employee employee2 = optional.orElseGet(Employee::new);
  30. System.out.println(employee2);
  31. }
  32. @Test
  33. public void test4() {
  34. Optional<Employee> optional = Optional.ofNullable(null);
  35. // System.out.println(optional.get()); // 报错NoSuchElementException
  36. // 安全的做法,判断是否包含值
  37. if(optional.isPresent()) {
  38. System.out.println(optional.get());
  39. }
  40. }
  41. @Test
  42. public void test3() {
  43. Optional<Employee> optional = Optional.empty();
  44. System.out.println(optional.get()); // 报错NoSuchElementException
  45. }
  46. @Test
  47. public void test2() {
  48. Optional<Employee> optional = Optional.of(null); // 报错NullPointerException
  49. }
  50. @Test
  51. public void test1() {
  52. Optional<Employee> optional = Optional.of(new Employee());
  53. System.out.println(optional.get());
  54. }
  55. }

(二)重复注解与类型注解

Java 8对注解处理提供了两点改进:可重复的注解及可用于类型的注解。
  1. @Repeatable(MyAnnotaions.class) // 指明容器类
  2. @Target({TYPE, FIELD, METHOD, PARAMETER, CONSTRUCTOR, LOCAL_VARIABLE, TYPE_PARAMETER})
  3. @Retention(RetentionPolicy.RUNTIME)
  4. public @interface MyAnnotaion {
  5. String value() default "atguigu";
  6. }
  7. ===============================================================================
  8. @Target({TYPE, FIELD, METHOD, PARAMETER, CONSTRUCTOR, LOCAL_VARIABLE})
  9. @Retention(RetentionPolicy.RUNTIME)
  10. public @interface MyAnnotaions {
  11. MyAnnotaion[] value();
  12. }
  13. ===============================================================================
  14. /*
  15. * 重复注解与类型注解
  16. */
  17. public class TestAnnotaion {
  18. @Test
  19. public void test1() throws Exception {
  20. Class<TestAnnotaion> aClass = TestAnnotaion.class;
  21. Method method =
  22. aClass.getMethod("show");
  23. MyAnnotaion[] annotations = method.getAnnotationsByType(MyAnnotaion.class);
  24. for(MyAnnotaion mya: annotations) {
  25. System.out.println(mya);
  26. }
  27. }
  28. @MyAnnotaion("world")
  29. @MyAnnotaion("hello")
  30. public void show(@MyAnnotaion("abc") String abs) {
  31. }
  32. }

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/知新_RL/article/detail/525293
推荐阅读
相关标签
  

闽ICP备14008679号