Lambda 是未声明的函数,这意味着它们不需要显式声明即可使用。无需指定名称、参数、访问修饰符或返回类型。本质上,lambda 是一种用单一方法实现接口的更简单方法。
在Java中,lambda函数的基本语法是:
(args) -> (body)
(int x, int y) -> { return x * y; } Aluno display = (Pessoa p) -> { System.out.println(p.idade); } () -> System.out.println(new Date()); () -> { return 25.789; } x -> x < 100;
仅当函数体包含多个语句时才需要花括号。例如:
(int x, int y) -> { return x * y; }
可以写成:
(int x, int y) -> return x * y;
两种形式产生相同的结果。
Lambda 函数可以有参数,也可以没有参数。参数类型也可以省略,因为 Java 会推断它们的类型。
(int x, int y) -> { return x * y; }
(x, y) -> { return x * y; }
() -> System.out.println(new Date());
如果没有使用 return 关键字,函数的返回类型将被推断为 void:
(a) -> this.x = a;
需要注意的是,lambda 与匿名类不同。这可以在生成的 .class 文件中观察到。与匿名类不同,lambda 不会为每次使用生成多个 .class 文件。
Lambda 在使用线程时通过减少冗长来简化代码。
// Implementing the Runnable interface and creating a thread with it Runnable e = new Runnable() { public void run() { System.out.println(new Date()); } }; new Thread(e).start(); // The same implementation using a lambda expression Runnable e = () -> System.out.println(new Date()); new Thread(e).start(); // Even more concise new Thread( () -> System.out.println(new Date()) ).start();
Lambda 简化了集合中的排序和过滤等功能。
// Print all elements in a list List<String> list = Arrays.asList("João", "Ana", "Maria", "Cesar"); for (String s : list) { System.out.println(s); } // Using lambdas list.forEach(s -> System.out.println(s)); // Lambda with multiple statements list.forEach(s -> { if (StringUtils.equals("Cesar", s)) { System.out.println(s); } }); // Conventional sorting Collections.sort(list, new Comparator<String>() { @Override public int compare(String s1, String s2) { return s1.compareTo(s2); } }); list.forEach(p -> System.out.println(p)); // Sorting using lambdas Collections.sort(list, (String s1, String s2) -> s1.compareTo(s2)); list.forEach(p -> System.out.println(p));
Lambda 简化了监听器中的代码,实现了观察者设计模式。
// Listening to an action on a button in a Swing window button.addActionListener(new ActionListener() { @Override public void actionPerformed(ActionEvent e) { System.out.println("Some actions..."); } }); // Using lambdas button.addActionListener((e) -> { System.out.println("Some actions..."); });
Lambda 可以在泛型函数中使用,通过将 lambda 表达式作为参数传递来解决问题。
public class Main { /* * A method that tests a condition */ public static void testExpression(List<String> list, Predicate<String> predicate) { list.forEach(n -> { if (predicate.test(n)) { System.out.println(n); } }); } /* * Calling the method with a lambda */ public static void main(String[] args) { List<String> list = Arrays.asList("João", "Ana", "Maria", "Cesar"); // Prints "Cesar" if it exists testExpression(list, (n) -> StringUtils.equals("Cesar", n)); // Prints the entire list testExpression(list, (n) -> true); // Prints nothing testExpression(list, (n) -> false); } }
以上是Java 中的 Lambda 表达式的详细内容。更多信息请关注PHP中文网其他相关文章!