设计模式-解释器模式

前言

Linus Benedict Torvalds : RTFSC – Read The Funning Source Code

概述

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

优点:解释器是一个简单的语法分析工具,它最显著的优点就是扩展性,修改语法规则只需要修改相应的非终结符就可以了,若扩展语法,只需要增加非终结符类就可以了。
缺点:因为每个解释都有一个解释类,那么就会像 PMS 那样对每个标签都要解析导致很多的类出现。

代码

1
2
3
public interface Expression {
public int interpret(Context context);
}
1
2
3
4
5
6
public class Plus implements Expression {
@Override
public int interpret(Context context) {
return context.getNum1()+context.getNum2();
}
}
1
2
3
4
5
6
public class Minus implements Expression {
@Override
public int interpret(Context context) {
return context.getNum1()-context.getNum2();
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
public class Context {
private int num1;
private int num2;
public Context(int num1, int num2) {
this.num1 = num1;
this.num2 = num2;
}
public int getNum1() {
return num1;
}
public void setNum1(int num1) {
this.num1 = num1;
}
public int getNum2() {
return num2;
}
public void setNum2(int num2) {
this.num2 = num2;
}
}
1
2
3
4
5
6
public class MainTest {
public static void main(String[] args) {
int result = new Minus().interpret((new Context(new Plus()
.interpret(new Context(9, 2)), 8)));
}
}

设计模式 目录