【夯實PHP系列】購物車代碼說明PHP的匿名函數
1. 定義:匿名函數(Anonymous functions),也叫閉包函數(closures),允許 暫時建立一個沒有指定名稱的函數。最常用作回呼函數(callback)參數的值。當然,也有其它所應用的情況。
2. 用法:
1)作為變數的值:
閉包函數也可以當作變數的值來使用。 PHP 會自動把此種表達式轉換成內建類別 Closure 的物件實例。把一個closure 物件賦值給一個變數的方式與普通變數賦值的語法是一樣的,最後也要加上分號
2)從父作用域繼承變數:
閉包可以從父作用域繼承變數。 任何此類變數都應該用 use 語言結構傳遞進去。
3)一個完整的例子,用購物車代碼來說明:
<?php // 一个基本的购物车,包括一些已经添加的商品和每种商品的数量。 // 其中有一个方法用来计算购物车中所有商品的总价格,该方法使 // 用了一个 closure 作为回调函数。 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 ?>
3. 參考:
1) php/www. /functions.anonymous.php
2)constant() 函數傳回一個常數的值: http://www.runoob.com/php/func-misc-constant.html
3) array_walk 對數組中)的每個元素應用程式使用者自訂函數: http://www.w3school.com.cn/php/func_array_walk.asp
4) round() 函數將浮點數四捨五入: http://www.w3school.com .cn/php/func_math_round.asp