节点类中的Memoizee实例方法

时间:2017-02-07 11:55:33

标签: javascript node.js class memoization memoizee

我正在寻找一种使用Memoizee package来记忆类功能的优雅方式。

在课堂之外,你可以轻松地解决这个问题:

const memoize = require('memoizee')

const myFunc = memoize(function myfunc(){ ... })

但在课堂内,这不会起作用:

class foo {
    constructor(){ ... }

    // Without memoization you would do:
    myFunc(){ ... }

    // Can't do this here:
    myFunc = memoize(function myfunc(){ ... })
}

我可以考虑使用this.语法在构造函数中创建它,但是这将导致不太统一的类定义,因为非memoized方法将在构造函数之外声明:

class foo {
    constructor(){
        // Inside for memoized:
        this.myFunc = memoize(function myfunc(){ ... }) 
    }

    // Outside for non-memoized:
    otherFunc(){ ... }
}

你如何包装实例方法?

3 个答案:

答案 0 :(得分:3)

可以在构造函数

中覆盖自己的方法定义
class Foo {
  constructor() {
    this.bar = _.memoize(this.bar);
  }

  bar(key) {
    return `${key} = ${Math.random()}`;
  }
}

const foo = new Foo();
console.log(foo.bar(1));
console.log(foo.bar(1));
console.log(foo.bar(2));
console.log(foo.bar(2));

1 = 0.6701435727286942 1 = 0.6701435727286942 2 = 0.38438568145894747 2 = 0.38438568145894747

答案 1 :(得分:2)

根据您运行代码的方式以及您是否使用转换步骤,也许您可​​以使用memoized-class-decorator

class foo {
    constructor () { ... }

    // Without memoization:
    myFunc () { ... }

    // With memoization:
    @memoize
    myFunc () { ... }
}

答案 2 :(得分:1)

memoizee中有专门的方法处理方法。请参阅:https://github.com/medikoo/memoizee#memoizing-methods

仍然没有使用本机类语法,最好你可以做到这一点:

const memoizeMethods = require('memoizee/methods');

class Foo {
  // .. non memoized definitions
}
Object.defineProperties(Foo.prototype, memoizeMethods({
  // Memoized definitions, need to be provided via descriptors.
  // To make it less verbose you can use packages as 'd':
  // https://www.npmjs.com/package/d
  myFunc: {
    configurable: true,
    writable: true,
    enumerable: false,
    value: function () { ... }
 }
});