PHP – Closure::call()



在PHP中,**闭包**是一个匿名函数,它可以访问其创建作用域中的变量,即使该作用域已关闭。需要在其中指定 use 关键字。

闭包是封装函数代码及其创建作用域的对象。在PHP 7中,引入了一个新的**Closure::call()**方法,用于将对象作用域绑定到闭包并调用它。

Closure 类中的方法

Closure 类包含以下方法,包括 call() 方法:

final class Closure {

   /* Methods */
   private __construct()
   public static bind(Closure $closure, ?object $newThis, object|string|null $newScope = "static"): ?Closure
   public bindTo(?object $newThis, object|string|null $newScope = "static"): ?Closure
   public call(object $newThis, mixed ...$args): mixed
   public static fromCallable(callable $callback): Closure
   
}

**call() 方法**是 Closure 类的静态方法。它作为 bind() 或 bindTo() 方法的快捷方式被引入。

**bind() 方法**复制一个具有特定绑定对象和类作用域的闭包,而 bindTo() 方法则复制一个具有新绑定对象和类作用域的闭包。

call() 方法具有以下**签名**:

public Closure::call(object $newThis, mixed ...$args): mixed

call() 方法会临时将闭包绑定到 newThis,并使用任何给定的参数调用它。

在PHP 7之前的版本中,可以使用 bindTo() 方法,如下所示:

<?php
   class A {
      private $x = 1;
   }

   // Define a closure Pre PHP 7 code
   $getValue = function() {
      return $this->x;
   };

   // Bind a clousure
   $value = $getValue->bindTo(new A, 'A'); 
   print($value());
?>

该程序将闭包对象**$getValue**绑定到 A 类的对象,并打印其私有变量**$x**的值——它是1。

在PHP 7中,绑定是通过 call() 方法实现的,如下所示:

<?php
   class A {
      private $x = 1;
   }

   // PHP 7+ code, Define
   $value = function() {
      return $this->x;
   };

   print($value->call(new A));
?>
广告