閉包和匿名函數在PHP5.3.0中引入的。
閉包是指:創建時封裝周圍狀態的函數。即使閉包所處的環境不存在了,閉包中封裝的狀態依然存在。
理論上,閉包和匿名函數是不同的概念。但是PHP將其視為相同概念。
實際上,閉包和匿名函數是偽裝成函數的物件。他們是Closure類別的實例。
閉包和字串、整數一樣,是一等值型別。
創建閉包
<?php $clousre = function ($name) { return 'Hello ' . $name; }; echo $closure('nesfo');
我們之所以能調用$closure變量,是因為這個變量的值是一個閉包,而且閉包對象實現了__invoke()魔術方法。只要變數名後有(),PHP就會找並呼叫__invoke()方法。通常會把PHP閉包當成函數的回調使用。 array_map(), preg_replace_callback()方法都會用到回呼函數,這是使用閉包的最佳時機!
舉個例子:
<?php $numbersPlusOne = array_map(function ($number) { return $number + 1; }, [1, 2, 3]); print_r($numbersPlusOne);
得到結果:
[2, 3, 4]
在出現之前,然後只能使用那個包字出現之前,然後再引用那個包子出現。這麼做,程式碼執行會稍微慢一點,而且把回呼的實作和使用場景隔離了。
<?php function incrementNum ($number) { return $number + 1; } $numbersPlusOne = array_map('incrementNum', [1, 2, 3]); print_r($numbersPlusOne);
附加狀態
匿名函數不只可以當回呼使用,還可以為PHP附加並封裝狀態。
PHP中,必須手動呼叫閉包物件的bindTo()方法或使用use關鍵字,才能把狀態附加到PHP閉包上。
<?php function enclosePerson ($name) { return function ($doCommand) use ($name) { return $name . ', ' . $doCommand; } } $clay = enclosePerson('Clay'); echo $clay('get me sweet tea!');
得到結果:
"Clay, get me sweet tea!"
<?php class App { protected $routes = []; protected $responseStatus = '200 OK'; protected $responseContentType = 'text/html'; protected $responseBody = 'Hello world'; public function addRoute($routePath, $routeCallback){ $this->routes[$routePath] = $routeCallback->bindTo($this, __CLASS__); } public function dispatch($currentPath){ foreach($this->routes as $routePath => $callback){ if ($routePath === $currentPath) { $callback(); } } header('HTTP/1.1' . $this->responseStatus); header('Content-type: ' . $this->responseContentType); header('Content-length' . mb_strlen($this->responseBody)); echo $this->responseBody; } } <br>
<?php $app = new App(); $app->addRoute('/user/nesfo', function () { $this->responseContentType = 'application/json; charset=utf8'; $this->responseBody = '{"name": "nesfo"}'; }); $app->dispatch('/user/nesfo');