>  기사  >  백엔드 개발  >  PHP 코어에는 익명 함수가 있습니다.

PHP 코어에는 익명 함수가 있습니다.

藏色散人
藏色散人앞으로
2019-11-01 13:43:282719검색

Proposed

익명 함수가 등장하기 전에 모든 함수는 사용하기 전에 이름을 지정해야 했습니다

function increment($value)
{
    return $value + 1;
}
array_map('increment', [1, 2, 3]);

때때로 함수가 한 번만 사용하면 됩니다. 이때 익명 함수를 사용하면 코드가 더 간결해지고 직관적이 되며, 다른 곳에서 함수가 사용되는 것을 방지할 수 있습니다. #

PHP에서는 클로저와 익명 함수를 동등한 개념으로 취급합니다. 이 문서에서는 총칭하여 익명 함수라고 함) 이는 본질적으로 함수로 위장한 객체입니다.

익명 함수의 본질은 객체이므로 객체와 마찬가지로 익명 함수도 변수에 할당할 수 있습니다

array_map(function($value){
    return $value + 1;
}, [1, 2, 3]);

모든 익명 함수는 클로저 객체의 인스턴스입니다#🎜🎜 #
$greet = function(string $name){
    echo "hello {$name}";
}
$greet("jack") // hello jack

객체에는 상위 범위가 없으므로 사용된 변수를 수동으로 선언하려면 use를 사용해야 합니다.

$greet instanceof Closure // true

익명 함수의 변수를 적용하려면 참조 값으로 전달을 사용해야 함

$num = 1;
$func = function() use($num){
    $num = $num + 1;
    echo $num;
}
$func();  // 2
echo $num;  // 还是 1

PHP 5.4부터 클래스에서 익명 함수를 사용할 때 익명 함수의 $this가 현재 클래스에 자동으로 바인딩됩니다

$num = 1;
$func = function() use(&$num){
    $num = $num + 1;
    echo $num;
}
$func();  // 2
echo $num;  // 2
# 🎜🎜#자동 바인딩을 허용하지 않으려면 정적 익명 함수를 사용하면 됩니다

class Foo {
    public function bar()
    {   
        return function() {
            return $this;
        };
    }
}
$foo = new Foo();
$obj = $foo->bar(); // Closure()
$obj();   // Foo

익명 함수의 본질

# 🎜🎜#익명 함수의 핵심은 다음 5가지 메서드를 포함하는 Closure 객체입니다.

class Foo {
    public function bar()
    {   
        return static function() {
            return $this;
        };
    }
}
$foo = new Foo();
$obj = $foo->bar(); // Closure()
$obj();   // Using $this when not in object context

__construct - 익명 함수가 인스턴스화되는 것을 방지

Closure {
    private __construct ( void )
    public static bind ( Closure $closure , object $newthis [, mixed $newscope = "static" ] ) : Closure
    public bindTo ( object $newthis [, mixed $newscope = "static" ] ) : Closure
    public call ( object $newthis [, mixed $... ] ) : mixed
    public static fromCallable ( callable $callable ) : Closure
}
Closure ::bindTo - 현재 익명 함수 객체를 복사하고 지정된 $this 객체와 클래스 Scope를 바인딩합니다. 일반인의 관점에서 이는 익명 함수를 지정된 개체에 수동으로 바인딩하는 것을 의미합니다. 이를 사용하면 개체의 기능을 확장할 수 있습니다.

$closure = new \Closure();
// PHP Error:  Instantiation of 'Closure' is not allowed

Closure::bind - BindTo 메소드의 정적 버전으로, 두 가지 사용법이 있습니다.


Usage 1: 동일한 메소드 구현 BindTo 메소드로 Effect

// 定义商品类
class Good {
    private $price;
    public function __construct(float $price)
    {
        $this->price = $price;
    }
}
// 定义一个匿名函数,计算商品的促销价
$addDiscount = function(float $discount = 0.8){
    return $this->price * $discount;
}
$good = new Good(100);
// 将匿名函数绑定到 $good 实例,同时指定作用域为 Good
$count = $addDiscount->bindTo($good, Good::class); 
$count(); // 80
// 将匿名函数绑定到 $good 实例,但是不指定作用域,将无法访问 $good 的私有属性
$count = $addDiscount->bindTo($good); 
$count(); // 报错

Usage 2: 익명 함수를 객체가 아닌 클래스에 바인딩합니다. 두 번째 매개변수를 null#🎜🎜으로 설정해야 합니다. ##🎜 🎜#
$count = \Closure::bind($addDiscount, $good, Good::class);

call - PHP 7의 새로운 호출 메소드는 간단한 구문 외에도 성능도 향상되었습니다.

// 商品库存为 10
class Good {
    static $num = 10;
}
// 每次销售后返回当前库存
$sell = static function() {
    return"当前库存为". --static::$num ;
};
// 将静态匿名函数绑定到 Good 类中
$sold = \Closure::bind($sell, null, Good::class);
$sold(); // 当前库存为 9
$sold(); // 当前库存为 8
fromCallable - 주어진 호출 가능 함수를 익명 함수로 변환

// call 版本
$addDiscount->call($good, 0.5);  // 绑定并传入参数 0.5,结果为 50
// bindTo 版本
$count = $addDiscount->bindTo($good, Good::class, 0.5); 
$count(); // 50

fromCallable은

class Good {
    private $price;
    public function __construct(float $price)
    {
        $this->price = $price;
    }
}
function addDiscount(float $discount = 0.8){
    return $this->price * $discount;
}
$closure = \Closure::fromCallable('addDiscount');
$good = new Good(100);
$count = $closure->bindTo($good);  
$count = $closure->bindTo($good, Good::class);   // 报错,不能重复绑定作用域
$count(); // 报错,无法访问私有属性
과 동일합니다. 여기서 주목해야 할 점은 fromCallable이 The로 변환되는지 여부입니다. 클로저 또는 리플렉션으로 얻은 클로저, 바인딩을 사용할 때 두 번째 매개 변수가 바인딩 클래스를 지정하면 오류가 보고됩니다

$reflexion = new ReflectionFunction('addDiscount');
$closure = $reflexion->getClosure();

위 내용은 PHP 코어에는 익명 함수가 있습니다.의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
이 기사는 learnku.com에서 복제됩니다. 침해가 있는 경우 admin@php.cn으로 문의하시기 바랍니다. 삭제