亚洲乱码中文字幕综合,中国熟女仑乱hd,亚洲精品乱拍国产一区二区三区,一本大道卡一卡二卡三乱码全集资源,又粗又黄又硬又爽的免费视频

php設(shè)計模式介紹之值對象模式第4/5頁

 更新時間:2008年04月13日 22:10:17   作者:  
在所有的最簡單的程序中,大多數(shù)對象都有一個標識,一個重要的商業(yè)應(yīng)用對象,例如一個Customer或者一個SKU,有一個或者更多的屬性---id,name,email地址,這樣可以把它從同一個類的其他實例區(qū)分開來。此外,對象有一個恒定的標識:它是貫穿于整個應(yīng)用程序的一個唯一的標識,對于程序員來說,”customer A”在任何地方就是”customer A”,并且只要你的程序在持續(xù)運行時"customer A"仍然是"customer A"。 但是一個對象不需要有一個標識。有些對象僅僅是為了描述其他對象的屬性。

另一個重要的概念是對象Monopoly中的租金支付。讓我們首先寫一個測試實例(測試引導(dǎo)開發(fā))。下面的代碼希望用來實現(xiàn)既定的目標。

function TestRent() {
$game = new Monopoly;
$player1 = new Player(‘Madeline');
$player2 = new Player(‘Caleb');
$this->assertEqual(1500, $player1->getBalance());
$this->assertEqual(1500, $player2->getBalance());
$game->payRent($player1, $player2, new Dollar(26));
$this->assertEqual(1474, $player1->getBalance());
$this->assertEqual(1526, $player2->getBalance());
}
根據(jù)這個測試代碼,我們需要在Monopoly對象中增加payRent()的方法函數(shù)來實現(xiàn)一個Player對象去支付租金給另一個Player對象.

Class Monopoly {
// ...
/**
* pay rent from one player to another
* @param Player $from the player paying rent
* @param Player $to the player collecting rent
* @param Dollar $rent the amount of the rent
* @return void
*/
public function payRent($from, $to, $rent) {
$to->collect($from->pay($rent));
}
}
payRent()方法函數(shù)實現(xiàn)了兩個player對象之間($from和$to)的租金支付。方法函數(shù)Player::collect()已經(jīng)被定義了,但是Player::pay()必須被添加進去,以便實例$from通過pay()方法支付一定的Dollar數(shù)額$to對象中。首先我們定義Player::pay()為:

class Player {
// ...
public function pay($amount) {
$this->savings = $this->savings->add(-1 * $amount);
}
}
但是,我們發(fā)現(xiàn)在PHP中你不能用一個數(shù)字乘以一個對象(不像其他語言,PHP不允許重載操作符,以便構(gòu)造函數(shù)進行運算)。所以,我們通過添加一個debit()方法函數(shù)實現(xiàn)Dollar對象的減的操作。

class Dollar {
protected $amount;
public function __construct($amount=0) {
$this->amount = (float)$amount;
}
public function getAmount() {
return $this->amount;
}
public function add($dollar) {
return new Dollar($this->amount + $dollar->getAmount());
}
public function debit($dollar) {
return new Dollar($this->amount - $dollar->getAmount());
}
}
引入Dollar::debit()后,Player::pay()函數(shù)的操作依然是很簡單的。

class Player {
// ...
/**
* make a payment
* @param Dollar $amount the amount to pay
* @return Dollar the amount payed
*/
public function pay($amount) {
$this->savings = $this->savings->debit($amount);
return $amount;
}
}
Player::pay()方法返回支付金額的$amount對象,所以Monopoly::payRent()中的語句$to->collect($from->pay($rent))的用法是沒有問題的。這樣做的話,如果將來你添加新的“商業(yè)邏輯”用來限制一個player不能支付比他現(xiàn)有的余額還多得金額。(在這種情況下,將返回與player的賬戶余額相同的數(shù)值。同時,也可以調(diào)用一個“破產(chǎn)異常處理”來計算不足的金額,并進行相關(guān)處理。對象$to仍然從對象$from中取得$from能夠給予的金額。)

注:術(shù)語------商業(yè)邏輯

在一個游戲平臺的例子上提及的“商業(yè)邏輯”似乎無法理解。這里的商業(yè)的意思并不是指正常公司的商業(yè)運作,而是指因為特殊應(yīng)用領(lǐng)域需要的概念。請把它認知為 “一個直接的任務(wù)或目標”,而不是“這里面存在的商業(yè)操作”。

所以,既然目前我們討論的是一個Monopoly,那么這里的 “商業(yè)邏輯”蘊含的意思就是針對一個游戲的規(guī)則而說的。

相關(guān)文章

最新評論