解释器模式(Interpreter Pattern)

解释器模式提供了对语言或语法的的一些判断方式。

解释器模式的实例

定义对于语法的断言

  1. class TerminalExpression {
  2. constructor(data){
  3. this.data = data;
  4. }
  5. interpret(context) {
  6. if(context.indexOf(this.data)>-1){
  7. return true;
  8. }
  9. return false;
  10. }
  11. }

添加断言的操作符

  1. // 添加表达式判断符
  2. class OrExpression {
  3. constructor(expr1, expr2) {
  4. this.expr1 = expr1;
  5. this.expr2 = expr2;
  6. }
  7. interpret(context) {
  8. return this.expr1.interpret(context) || this.expr2.interpret(context);
  9. }
  10. }
  11. class AndExpression {
  12. constructor(expr1, expr2) {
  13. this.expr1 = expr1;
  14. this.expr2 = expr2;
  15. }
  16. interpret(context) {
  17. return this.expr1.interpret(context) && this.expr2.interpret(context);
  18. }
  19. }

组合断言操作符

  1. // 获取对应表达式
  2. function getMaleExpression(){
  3. const robert = new TerminalExpression("Robert");
  4. const john = new TerminalExpression("John");
  5. return new OrExpression(robert, john);
  6. }
  7. function getMarriedWomanExpression(){
  8. const julie = new TerminalExpression("Julie");
  9. const married = new TerminalExpression("Married");
  10. return new AndExpression(julie, married);
  11. }

实现断言的判断

  1. // 判断语句断言
  2. const isMale = getMaleExpression();
  3. const isMarriedWoman = getMarriedWomanExpression();
  4. console.log("John is male? " + isMale.interpret("John"));
  5. console.log("Julie is a married women? "
  6. + isMarriedWoman.interpret("Married Julie"));
  7. /**
  8. * output:
  9. * John is male? true
  10. * Julie is a married women? true
  11. */

解释器模式的优势

通过单一断言判断来组合出一些断言的提升。比如在解析二进制表达式断言的判断,只需要区分是否存在左表达式或右表达式,而不需要关心左表达式中是否还有左右表达式或右表达式中是否还有左右表达式,最后通过组合提升的方式,来解析整个二进制表达式。

上一页(命令模式)

下一页(迭代器模式)