在應用程式設計過程中,一些特定作業需要能夠支援撤銷(undo),例如最近在寫的一個檔案管理系統。文件的一些基本操作如:rename、copy、cut等,需要支援undo、redo操作來提供更好的使用者體驗。總所周知,undo、redo操作需要兩個模式支撐:備忘錄模式(memento)保存物件操作資料狀態、指令模式(command)封裝使用者請求。結合起來可以提供良好的撤銷、重做操作。命令模式可以參考上面一篇文章點擊打開連結.下面主要說說備忘錄模式的實現,如有錯誤,不令賜教。
備忘錄模式主要有3位參與者:
a.保存狀態資訊的備忘錄物件(Memento)
b.產生狀態資訊的來源使用器(Originator) 的管理器
create_memento(); //保存对象状态信息创建一个备忘录返回 set_memento(Memento $mem); //根据传入的备忘录获取状态信息,恢复状态
set_state(State $state); //设备备忘录当前状态 get_state(); //获取备忘录当前状态
class Memento { private $state; public function get_state(){ return $this->state; } public function set_state(State $state){ $this->state = clone $state; } }
源發器實作:
class Originator{ private $state; function _construct(){ $this->state = new State(); $this->state->set('action', 'create originator'); } function do_action1(){ $this->state->set('action', 'do_action 1'); } function do_action2(){ $this->state->set('action', 'do_action 2'); } function create_memento(){ $mem = new Memento(); $men->set_state($this->state); return $mem; } function set_memento(Memento $mem){ $this->state = $mem->get_state(); } function dump(){ echo $this->state->get('action') . "\n"; } }
class State{ private $values = array(); public function set($key, $value){ $this->values[$key] = $value; } public function get($key){ if(isset($this->values[$key])){ return $this->values[$key]; } return null; } }
class CareTaker{ private $command; function __construct($cmd="Originator1"){ $this->command = $cmd; } private function do_execute(){ switch($this->command){ case 'Originator1':{ $action = new Originator(); $mem1 = $action->create_memento(); $action->dump(); $action->do_action1(); $mem2 = $action->create_memento(); $action->dump(); $action->do_action2(); $mem3 = $action->create_memento(); $action->dump(); //状态恢复 $action->set_memento($mem2); $action->dump(); $action->set_memento($mem1); $action->dump(); } } } }
The end.