编程语言
首页 > 编程语言> > PHP设计模式—解释器模式

PHP设计模式—解释器模式

作者:互联网

 

定义:

解释器模式(interpreter):给定一个语言,定义它的文法的一种表示,并定义一个解释器,这个解释器使用该表示来解释语言中的句子。解释器模式需要解决的是,如果一种特定类型的问题发生的频率足够高,那么可能就值得将该问题的各个实例表述为一个简单语言中的句子。这样就可以构建一个解释器,该解释器通过解释这些句子来解决该问题。

 

结构:

 

代码实例:

用解释器模式设计一个“韶粵通”公交车卡的读卡器程序。
说明:假如“韶粵通”公交车读卡器可以判断乘客的身份,如果是“韶关”或者“广州”的“老人” “妇女”“儿童”就可以免费乘车,其他人员乘车一次扣 2 元。

// Expression.php
/**
 * 抽象表达类
 * Class Expression
 */
abstract class Expression
{
    abstract public function interpret($info);
}

// TerminalExpression.php
/**
 * 终结符表达式类
 * Class TerminalExpression
 */
class TerminalExpression extends Expression
{
    private $value = [];

    public function __construct(array $value)
    {
        $this->value = $value;
    }

    public function interpret($info)
    {
        // TODO: Implement interpret() method.
        if (in_array($info, $this->value)) {
            return true;
        } else {
            return false;
        }
    }
}

// AndExpression.php
/**
 * 非终结符表达式类
 * Class AndExpression
 */
class AndExpression extends Expression
{
    private $city;
    private $person;

    public function __construct(Expression $city, Expression $person)
    {
        $this->city = $city;
        $this->person = $person;
    }

    public function interpret($info)
    {
        // TODO: Implement interpret() method.
        $data = explode('的', $info);
        return $this->city->interpret($data[0]) && $this->person->interpret($data[1]);
    }
}

// Context.php
/**
 * Class Context
 */
class Context
{
    private $city = ["韶关", "广州"];
    private $person = ["老人", "妇女", "儿童"];
    private $cityPerson;

    public function __construct()
    {
        $cityExpression = new TerminalExpression($this->city);
        $personExpression = new TerminalExpression($this->person);
        $this->cityPerson = new AndExpression($cityExpression, $personExpression);
    }

    public function freeRide($info)
    {
        $isTrue = $this->cityPerson->interpret($info);
        if ($isTrue) {
            echo "您是" . $info . ",您本次乘车免费!\n";
        } else {
            echo $info . ",您不是免费人员,本次乘车扣费2元!\n";
        }
    }
}

 

客户端调用:

$context = new Context();
$context->freeRide("韶关的老人");
$context->freeRide("韶关的年轻人");
$context->freeRide("广州的妇女");
$context->freeRide("广州的儿童");
$context->freeRide("山东的儿童");

 

结果:

您是韶关的老人,您本次乘车免费!
韶关的年轻人,您不是免费人员,本次乘车扣费2元!
您是广州的妇女,您本次乘车免费!
您是广州的儿童,您本次乘车免费!
山东的儿童,您不是免费人员,本次乘车扣费2元!

 

总结:

 

标签:info,解释器,PHP,终结符,文法,设计模式,public,interpret
来源: https://www.cnblogs.com/woods1815/p/13550955.html