在專案中,難免會遇到閉包的形式,那麼在閉包中,變數的作用域到底是怎麼樣的呢。下面有幾個簡單的例子。
e1
function test_1() { $a = 'php'; $func = function ($b) use ($a) { // $a = 'java'; echo $b.'_'.$a; }; return $func; } $test = test_1(); $test('hello');
以上結果會輸出hello_php 那麼可以看到$a 被當作了變數透過use傳遞給了匿名函數func 作為參數使用;如果去掉$ a = 'java'的註釋,那麼以上結果會輸出hello_java
e2:將上面的函數改寫為
function test_2() { $a = 'php'; $func = function ($b) use ($a) { // $a = 'go'; echo $b.'_'.$a; }; $a = 'java'; return $func; } $test = test_2(); $test('hello');
以上結果會輸出hello_php 說明在test_2中第二次為$a賦值的時候,並沒有傳遞的到func函數裡面去。
同樣的如果去掉$a = 'go';那麼以上結果會輸出hello_go
#e3:現在為$a 加上引用
function test_3() { $a = 'php'; $func = function ($b) use (&$a) { //$a = 'go'; echo $b.'_'.$a; }; $a = 'java'; return $func; } $test = test_3(); $test('hello');
以上結果會輸出hello_java 說明在位址引用的時候變數a 的值會傳遞到函數func裡面去。
同樣的如果去掉$a = 'go';
那麼以上結果會輸出hello_go;
以上三個簡單的測試,很明白的說明的閉包裡面參數的作用域。
在沒有使用位址引用的時候 匿名函數的變數值,不會隨著外部變數的改變而改變。 (閉包的意義)
在使用了位址引用之後,參數值會被外部函數的參數值所改變。
更多PHP相關知識,請造訪PHP教學!
以上是PHP 閉包之變數作用域的詳細內容。更多資訊請關注PHP中文網其他相關文章!