解释器(Interpreter)

意图

给定一个语言,定义它的文法的一种表示,并定义一个解释器,这个解释器使用该表示来解释语言中的句子。

结构

解释器的结构图

动机

如果一种特定类型的问题出现的频率足够高,那么可能值得将问题的各个部分表述为一个简单语言中的句子。这样就可以构建一个解释器,该解释器通过解释这些句子来解决这类问题。

解释器模式描述了如何为简单的语言定义一个文法,如何在该语言中表示一个句子,以及如何解释这些句子。

适用性

当有一个语言需要解释执行,并且语言中的句子能表示为抽象语法树时,可以使用解释器模式。

注意事项

  • 解释器模式并没有解释如何创建一个抽象语法树,也就是说,它不涉及到语法分析;
  • 解释器表达式不一定要定义解释操作,或者也可以将解释操作委托给一个“访问者”(Visitor)对象,避免在各个表达式中繁琐地定义这些操作;
  • 终结表达式可以用享元模式(Flyweight)共享。


示例一

问题

定义一个正则表达式,用于检查一个字符串是否匹配。正则表达式的文法定义如下:

  1. expression ::= liternal | alternation | sequence | repetition | '(' expression ')'
  • alternation ::= expression '|' expression
  • sequence ::= expression '&' expression
  • **repetition := expression '*' **
  • liternal := 'a' | 'b' | 'c'| ... { 'a' | 'b' | 'c' | ...}*

创建:
"raining" & ( "dogs" | "cats") *

输入:
rainingcatscats

输出:
true

实现(C#)

为了实现这个简易的正则表达式解析器,我们定义了如下几个表达式类:

正则表达式解析器
// 正则表达式的抽象基类
public abstract class  RegularExpression
{
    public abstract string Match(string input);
}
// 字面表达式
public sealed class LiternalExpression : RegularExpression
{
    private readonly string liternal;

    public LiternalExpression(string liternal)
    {
        this.liternal = liternal;
    }

    public override string ToString()
    {
        return  "\""+ liternal + "\"";
    }

    public override string Match(string input)
    {
        if(!input.StartsWith(liternal)) 
            return input;
        else
            return input.Substring(liternal.Length);
        
    }
}
// 或操作表达式
public sealed class AlternationExpression : RegularExpression
{
    private readonly RegularExpression left;
    private readonly RegularExpression right;

    public AlternationExpression(RegularExpression left, RegularExpression right)
    {
        this.left = left;
        this.right = right;
    }

    public override string ToString()
    {
        return string.Format("({0} | {1})", left.ToString(), right.ToString());
    }

    public override string Match(string input)
    {               
        var rest = left.Match(input);
        return rest == input ? right.Match(input) : rest;
    }
}
// 与操作表达式
public sealed class SequenceExpression : RegularExpression
{
    private readonly RegularExpression left;
    private readonly RegularExpression right;

    public SequenceExpression(RegularExpression left, RegularExpression right)
    {
        this.left = left;
        this.right = right;
    }

    public override string ToString()
    {
        return string.Format("({0} & {1})",left.ToString(),right.ToString());
    }

    public override string Match(string input)
    {       
        var rest = left.Match(input);

        if(rest != input) return right.Match(rest);

        return rest;
    }
}

// 重复操作表达式
public sealed class RepetitionExpression : RegularExpression
{
    private readonly RegularExpression repetition;

    public RepetitionExpression(RegularExpression repetition)
    {
        this.repetition = repetition;
    }

    public override string ToString()
    {
        return string.Format("{0} *", repetition.ToString());
    }

    public override string Match(string input)
    {
        var repetition2 = repetition;
        var rest = repetition2.Match(input);
        while(rest != input) 
        {
            if(!(repetition2 is LiternalExpression))
            {
                repetition2 = new LiternalExpression(input.Substring(0,input.Length - rest.Length));
            } 

            input = rest;
            rest = repetition2.Match(input);
        }

        return rest;
    }
}
// 测试!注意添加命名空间: using System;
public class App
{
    public static void Main(string[] args)
    {
        // "raining" & ( "dogs" | "cats") *
        LiternalExpression raining = new LiternalExpression("raining");
        LiternalExpression dogs = new LiternalExpression("dogs");
        LiternalExpression cats = new LiternalExpression("cats");

        AlternationExpression dogsOrCats = new AlternationExpression(dogs,cats);
        RepetitionExpression repetition = new RepetitionExpression(dogsOrCats);
        SequenceExpression sequence = new SequenceExpression(raining,repetition);

        //打印出正则表达式的结构
        Console.WriteLine(sequence.ToString());

        Console.WriteLine("input = \"{0}\", result = {1}",
                "rainingcatscats", 
                sequence.Match("rainingcatscats") == string.Empty);
        Console.WriteLine("input = \"{0}\", result = {1}",
                "rainingdogsdogs", 
                sequence.Match("rainingdogsdogs") == string.Empty);
        Console.WriteLine("input = \"{0}\", result = {1}",
                "rainingCatsCats", 
                sequence.Match("rainingCatCats") == string.Empty);
    }
}

// 控制台输出:
//  ("raining" & ("dogs" | "cats") *)
//  input = "rainingcatscats", result = True
//  input = "rainingdogsdogs", result = True
//  input = "rainingCatsCats", result = False

示例二

问题

实现对布尔表达式进行操作和求值。文法定义如下:

  1. boolean ::= Variable | Constant | Or | And | Not | '(' boolean ') '
  • Or ::= boolean '|' boolean
  • And ::= boolean '&' boolean
  • Not := '!' boolean
  • Constant := 'true' | 'false'
  • **Variable := 'A' | 'B' | ... | 'X' | 'Y' | 'Z' **

创建:
( true & X ) | ( Y & ( !X ) )

输入:
X = fase, Y = true

输出:
true

实现(C#)

同样,我们先设计出相关表达式的结构图:

布尔表达式结构图
// 布尔表达式的抽象基类
public abstract class BooleanExpression
{
    public abstract bool Evaluate(Context context);
}
// 常量表达式
public sealed class ConstantExpression : BooleanExpression
{
    private readonly bool val;

    public ConstantExpression(bool val)
    {
        this.val = val;
    }

    public override bool Evaluate(Context context)
    {
        return this.val;
    }

    public override string ToString()
    {
        return val.ToString();
    }
}
// 与操作表达式
public sealed class AndExpression : BooleanExpression
{
    private readonly BooleanExpression left;
    private readonly BooleanExpression right;

    public AndExpression(BooleanExpression left, BooleanExpression right)
    {
        this.left = left;
        this.right = right;
    }

    public override bool Evaluate(Context context)
    {
        return this.left.Evaluate(context) && this.right.Evaluate(context);
    }

    public override string ToString()
    {
        return string.Format("({0} & {1})", left.ToString(), right.ToString());
    }
}
// 或操作表达式
public sealed class OrExpression : BooleanExpression
{
    private readonly BooleanExpression left;
    private readonly BooleanExpression right;

    public OrExpression(BooleanExpression left, BooleanExpression right)
    {
        this.left = left;
        this.right = right;
    }

    public override bool Evaluate(Context context)
    {
        return this.left.Evaluate(context) || this.right.Evaluate(context);
    }

    public override string ToString()
    {
        return string.Format("({0} | {1})", left.ToString(), right.ToString());
    }
}
// 非操作表达式
public sealed class NotExpression : BooleanExpression
{
    private readonly BooleanExpression expr;

    public NotExpression(BooleanExpression expr)
    {
        this.expr = expr;
    }

    public override bool Evaluate(Context context)
    {
        return !this.expr.Evaluate(context);
    }

    public override string ToString()
    {
        return string.Format("(!{0})", expr.ToString());
    }
}
// 变量表达式
public class VariableExpression : BooleanExpression
{
    private readonly string name;

    public VariableExpression(string name)
    {
        this.name = name;
    }

    public override bool Evaluate(Context context)
    {
        return context.Lookup(this);
    }

    public string Name { get { return this.name;} }

    public override string ToString()
    {
        return this.name;
    }
}
// 操作上下文
public class Context
{
    private readonly Dictionary<VariableExpression,bool> map = new Dictionary<VariableExpression,bool>();

    public void Assign(VariableExpression expr,bool value)
    {
        if(map.ContainsKey(expr))
        {
            map[expr] = value;
        }
        else
        {
            map.Add(expr, value);
        }
    }

    public bool Lookup(VariableExpression expr)
    {
        return map[expr];
    }

    public override string ToString()
    {
        StringBuilder sb = new StringBuilder();

        foreach(KeyValuePair<VariableExpression,bool> kvp in map)
        {
            sb.AppendFormat("{0}={1},", kvp.Key.Name, kvp.Value);
        }

        return sb.ToString();
    }
}
// 测试。注意添加命名空间:
//     using system;
//     using System.Text;
//     using System.Collections.Generic;
public class App
{
    public static void Main(string[] args)
    {
        Context context = new Context();
        VariableExpression X = new VariableExpression("X");
        VariableExpression Y = new VariableExpression("Y");

        // ( true & X ) | ( Y & ( !X ) )
        BooleanExpression expr = new OrExpression(
                    new AndExpression(new ConstantExpression(true), X),
                    new AndExpression(Y, new NotExpression(X))
                );

        context.Assign(X,false);
        context.Assign(Y,true);

        Console.WriteLine("Expression : {0}", expr.ToString());
        Console.WriteLine("   Context : {0}", context.ToString());
        Console.WriteLine("    Result : {0}", expr.Evaluate(context));

    }
}
// 控制台输出:
//  Expression : ((True & X) | (Y & (!X)))
//      Context : X=False,Y=True,
//      Result : True
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 202,607评论 5 476
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,047评论 2 379
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 149,496评论 0 335
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,405评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,400评论 5 364
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,479评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,883评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,535评论 0 256
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,743评论 1 295
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,544评论 2 319
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,612评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,309评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,881评论 3 306
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,891评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,136评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 42,783评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,316评论 2 342

推荐阅读更多精彩内容

  • Spring Cloud为开发人员提供了快速构建分布式系统中一些常见模式的工具(例如配置管理,服务发现,断路器,智...
    卡卡罗2017阅读 134,579评论 18 139
  • 1 场景问题# 1.1 读取配置文件## 考虑这样一个实际的应用,维护系统自定义的配置文件。 几乎每个实际的应用系...
    七寸知架构阅读 3,084评论 2 56
  • 第5章 引用类型(返回首页) 本章内容 使用对象 创建并操作数组 理解基本的JavaScript类型 使用基本类型...
    大学一百阅读 3,204评论 0 4
  • 用法: apt-cache [选项] 命令 apt-cache [选项] showpkg 软件包1 [软件包2 ....
    夜观星阅读 846评论 0 0
  • 大徐是小白的初恋男友,却是她从来不愿意承认的恋人,爽朗大方如小白,每次吃饭时只要有人敢不怕死的提起他们的恋爱史,总...
    陶瓷兔子阅读 2,892评论 15 91