PHP中箭头函数的实例详解

称为箭头函数的短闭包是PHP7.4版本将带来的期待已久的功能之一。它是由 Nikita Popov、Levi Morrison 和 Bob Weinand 提出的,你可以在此处阅读原 RFC

摘自 Doctrine DBAL 的快速示例

  1. //老办法
  2. $this->existingSchemaPaths = array_filter($paths, function ($v) use ($names) {
  3. return in_array($v, $names);
  4. });
  5. // 使用箭头函数的新方法
  6. $this->existingSchemaPaths = array_filter($paths, fn($v) => in_array($v, $names));

让我们来看看规则吧

fn 是关键字,而不是保留的函数名称。

它只能有一个表达式,那就是 return 语句。

不需要使用rereturn和use关键字。

$this 变量,作用域和 LSB 作用域自动绑定。

你可以键入提示参数和返回类型。

你甚至可以使用引用&和 展开操作符 ...

几个例子

  1. //作用域示例
  2. $discount = 5;
  3. $items = array_map(fn($item) => $item - $discount, $items);
  4. //类型提示
  5. $users = array_map(fn(User $user): int => $user->id, $users);
  6. //展开操作符
  7. function complement(callable $f) {
  8. return fn(...$args) => !$f(...$args);
  9. }
  10. //嵌套
  11. $z = 1;
  12. $fn = fn($x) => fn($y) => $x * $y + $z;
  13. //有效的函数签名
  14. fn(array $x) => $x;
  15. fn(): int => $x;
  16. fn($x = 42) => $x;
  17. fn(&$x) => $x;
  18. fn&($x) => $x;
  19. fn($x, ...$rest) => $rest;

未来范围

多行箭头函数

允许对类内的函数使用箭头函数。

  1. //现今
  2. class Test {
  3. public function method() {
  4. $fn = fn() => var_dump($this);
  5. $fn(); // object(Test)#1 { ... }
  6. $fn = static fn() => var_dump($this);
  7. $fn(); // Error: Using $this when not in object context
  8. }
  9. }
  10. //也许在未来的某一天
  11. class Test {
  12. private $foo;
  13. private $bar;
  14. fn getFoo() => $this->foo;
  15. fn getBar() => $this->bar;
  16. }

我最喜欢的要点

回调可以更短

不需要use关键字便问变量。

让我知道你对这些更新有什么看法,你最喜欢的收获是什么?