返回课程

创建可扩展的计算器

重要性:5

创建一个构造函数 Calculator,它创建“可扩展”的计算器对象。

任务包含两个部分。

  1. 首先,实现方法 calculate(str),它接受一个字符串,例如 "1 + 2",格式为“数字 操作符 数字”(空格分隔),并返回结果。应该理解加号 + 和减号 -

    使用示例

    let calc = new Calculator;
    
    alert( calc.calculate("3 + 7") ); // 10
  2. 然后添加方法addMethod(name, func),教计算器一个新的运算。它接受运算符name和实现它的双参数函数func(a,b)

    例如,让我们添加乘法*、除法/和幂**

    let powerCalc = new Calculator;
    powerCalc.addMethod("*", (a, b) => a * b);
    powerCalc.addMethod("/", (a, b) => a / b);
    powerCalc.addMethod("**", (a, b) => a ** b);
    
    let result = powerCalc.calculate("2 ** 3");
    alert( result ); // 8
  • 此任务中不使用括号或复杂表达式。
  • 数字和运算符之间用一个空格隔开。
  • 如果您想添加错误处理,可以进行错误处理。

打开带有测试的沙箱。

  • 请注意方法是如何存储的。它们只是简单地添加到this.methods属性中。
  • 所有测试和数字转换都在calculate方法中完成。将来它可能会扩展以支持更复杂的表达式。
function Calculator() {

  this.methods = {
    "-": (a, b) => a - b,
    "+": (a, b) => a + b
  };

  this.calculate = function(str) {

    let split = str.split(' '),
      a = +split[0],
      op = split[1],
      b = +split[2];

    if (!this.methods[op] || isNaN(a) || isNaN(b)) {
      return NaN;
    }

    return this.methods[op](a, b);
  };

  this.addMethod = function(name, func) {
    this.methods[name] = func;
  };
}

在沙箱中打开带有测试的解决方案。