在 JavaScript 中创建链式操作类
问题
我们应该在 JavaScript 中创建一个用户定义的数据类型 Streak,它可以与任何范围value 和operations 交替链接
值可以是以下字符串之一 −
→ one, two three, four, five, six, seven, eight, nine
运算可以是以下字符串之一 −
→ plus, minus
例如,如果我们在类环境中实现以下内容 −
Streak.one.plus.five.minus.three;
那么输出应该为 −
const output = 3;
输出说明
因为执行的操作为 −
1 + 5 - 3 = 3
示例
以下是代码 −
const Streak = function() { let value = 0; const operators = { 'plus': (a, b) => a + b, 'minus': (a, b) => a - b }; const numbers = [ 'zero', 'one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight', 'nine' ]; Object.keys(operators).forEach((operator) => { const operatorFunction = operators[operator]; const operatorObject = {}; numbers.forEach((num, index) => { Object.defineProperty(operatorObject, num, { get: () => value = operatorFunction(value, index) }); }); Number.prototype[operator] = operatorObject; }); numbers.forEach((num, index) => { Object.defineProperty(this, num, { get: () => { value = index; return Number(index); } }); }); }; const streak = new Streak(); console.log(streak.one.plus.five.minus.three);
输出
以下是控制台输出 −
3
广告