全局變量存在于一個全局的范圍,無論當前在執(zhí)行的是哪個函數(shù)乏冀。而 閉包的父作用域是定義該閉包的函數(shù)(不一定是調用它的函數(shù))妥衣。示例如下:
<?php
// 一個基本的購物車赘阀,包括一些已經添加的商品和每種商品的數(shù)量。
// 其中有一個方法用來計算購物車中所有商品的總價格扑眉,該方法使
// 用了一個 closure 作為回調函數(shù)纸泄。
class Cart
{
const PRICE_BUTTER = 1.00;
const PRICE_MILK = 3.00;
const PRICE_EGGS = 6.95;
protected $products = array();
public function add($product, $quantity)
{
$this->products[$product] = $quantity;
}
public function getQuantity($product)
{
return isset($this->products[$product]) ? $this->products[$product] :
FALSE;
}
public function getTotal($tax)
{
$total = 0.00;
$callback =
function ($quantity, $product) use ($tax, &$total)
{
$pricePerItem = constant(__CLASS__ . "::PRICE_" .
strtoupper($product));
$total += ($pricePerItem * $quantity) * ($tax + 1.0);
};
array_walk($this->products, $callback);
return round($total, 2);;
}
}
$my_cart = new Cart;
// 往購物車里添加條目
$my_cart->add('butter', 1);
$my_cart->add('milk', 3);
$my_cart->add('eggs', 6);
// 打出出總價格,其中有 5% 的銷售稅.
print $my_cart->getTotal(0.05) . "\n";
// 最后結果是 54.29
?>