解釋器模式: 給定一個語言, 定義它的文法的一種表示,並定義一個解釋器,該解釋器使用該表示來解釋語言中的句子。 角色: 環境角色:定義解釋規則的全局信息。 抽象解釋器::定義了部分解釋具體實現,封裝了一些由具體解釋器實現的介面。 具體解釋器(MusicNote):實現抽象解釋器的介面,進行具體的解釋 ...
解釋器模式:
給定一個語言, 定義它的文法的一種表示,並定義一個解釋器,該解釋器使用該表示來解釋語言中的句子。
角色:
環境角色:定義解釋規則的全局信息。
抽象解釋器::定義了部分解釋具體實現,封裝了一些由具體解釋器實現的介面。
具體解釋器(MusicNote):實現抽象解釋器的介面,進行具體的解釋執行。
UML圖:
代碼實現:
<?php header("Content-type:text/html;Charset=utf-8"); //環境角色,定義要解釋的全局內容 class Expression{ public $content; function getContent(){ return $this->content; } } //抽象解釋器 abstract class AbstractInterpreter{ abstract function interpret($content); } //具體解釋器,實現抽象解釋器的抽象方法 class ChineseInterpreter extends AbstractInterpreter{ function interpret($content){ for($i=1;$i<count($content);$i++){ switch($content[$i]){ case '0': echo "沒有人<br>";break; case "1": echo "一個人<br>";break; case "2": echo "二個人<br>";break; case "3": echo "三個人<br>";break; case "4": echo "四個人<br>";break; case "5": echo "五個人<br>";break; case "6": echo "六個人<br>";break; case "7": echo "七個人<br>";break; case "8": echo "八個人<br>";break; case "9": echo "九個人<br>";break; default:echo "其他"; } } } } class EnglishInterpreter extends AbstractInterpreter{ function interpret($content){ for($i=1;$i<count($content);$i++){ switch($content[$i]){ case '0': echo "This is nobody<br>";break; case "1": echo "This is one people<br>";break; case "2": echo "This is two people<br>";break; case "3": echo "This is three people<br>";break; case "4": echo "This is four people<br>";break; case "5": echo "This is five people<br>";break; case "6": echo "This is six people<br>";break; case "7": echo "This is seven people<br>";break; case "8": echo "This is eight people<br>";break; case "9": echo "This is nine people<br>";break; default:echo "others"; } } } } //封裝好的對具體解釋器的調用類,非解釋器模式必須的角色 class Interpreter{ private $interpreter; private $content; function __construct($expression){ $this->content = $expression->getContent(); if($this->content[0] == "Chinese"){ $this->interpreter = new ChineseInterpreter(); }else{ $this->interpreter = new EnglishInterpreter(); } } function execute(){ $this->interpreter->interpret($this->content); } } //測試 $expression = new Expression(); $expression->content = array("Chinese",3,2,4,4,5); $interpreter = new Interpreter($expression); $interpreter->execute(); $expression = new Expression(); $expression->content = array("English",1,2,3,0,0); $interpreter = new Interpreter($expression); $interpreter->execute(); //結果: 三個人 二個人 四個人 四個人 五個人 This is one people This is two people This is three people This is nobody This is nobody ?>
適用性:
當有一個語言需要解釋執行, 並且你可將該語言中的句子表示為一個抽象語法樹時,可使用解釋器模式。而當存在以下情況時該模式效果最好:
該文法簡單對於複雜的文法, 文法的類層次變得龐大而無法管理。此時語法分析程式生成器這樣的工具是更好的選擇。它們無需構建抽象語法樹即可解釋表達式, 這樣可以節省空間而且還可能節省時間。
效率不是一個關鍵問題最高效的解釋器通常不是通過直接解釋語法分析樹實現的, 而是首先將它們轉換成另一種形式。例如,正則表達式通常被轉換成狀態機。但即使在這種情況下, 轉換器仍可用解釋器模式實現, 該模式仍是有用的。