编辑代码

const rl = require("readline").createInterface({ input: process.stdin });
var iter = rl[Symbol.asyncIterator]();
const readline = async () => (await iter.next()).value;

void (async function () {
  // 读取输入字符串,格式如:"(add 1 2)" 或 "(mul 3 (add 1 2))"
  const input = await readline();

  // 使用栈来存储操作数和运算符
  const stack = [];
  // 用于临时存储字符,构建完整的操作数或运算符
  let chars = [];

  // 遍历输入字符串的每个字符
  for (const c of input) {
    // 当遇到右括号或空格时,处理已收集的字符
    if (c == ")" || c == " ") {
      // 如果有收集到的字符,将其组合成字符串并压入栈中
      if (chars.length > 0) {
        stack.push(chars.join(""));
        chars = [];
      }
    }

    // 当遇到右括号时,进行运算
    if (c == ")") {
      // 从栈中弹出两个操作数和一个运算符
      const num2 = Number(stack.pop()); // 第二个操作数
      const num1 = Number(stack.pop()); // 第一个操作数
      const op = stack.pop(); // 运算符

      let res = 0; // 存储运算结果

      // 根据运算符执行相应的运算
      switch (op) {
        case "add": // 加法
          res = num1 + num2;
          break;
        case "sub": // 减法
          res = num1 - num2;
          break;
        case "mul": // 乘法
          res = num1 * num2;
          break;
        default: {
          // 除法
          // 检查除数是否为0
          if (num2 == 0) return console.log("error");
          res = num1 / num2;
          break;
        }
      }

      // 将运算结果压入栈中
      stack.push(res);
    }

    // 收集非括号和空格的字符
    if (c !== "(" && c !== " " && c !== ")") {
      chars.push(c);
    }
  }

  // 输出最终的计算结果
  console.log(stack.pop());
})();