0

我有 node.JS 应用程序,该应用程序具有使用相同参数多次调用的方法。(尝试组合的优化问题)

源代码很大,我不熟悉它,我试图找出使用相同参数多次调用的方法,以便记住它们并提高算法的性能。

所以我试图拦截所有带有各自参数的方法调用,将它们存储在Set()中,并查看方法调用和唯一参数之间的区别。

我正在使用 ES6 代理对象,如下所示:

process.log = {};
process.traceMethodCalls = function (obj) {
    return new Proxy(obj, {
        get(target, method, receiver) {
            if (typeof process.log[method] === 'undefined') {
                process.log[method] = { calls: 0, params: new Set() };
            }
            return function (...args) {
                process.log[method].calls += 1;
                process.log[method].params.add(JSON.stringify(args));
                return target[method].apply(this, args);
            };
        }
    });
}

然后我可以查看log变量以了解log.callslog.params.size()的差异,以查看最佳记忆候选者。

这种技术效果很好,但显然不会拦截对自身的对象字面量调用。这是失败的示例(项目中的示例模块)

module.exports = function (app) {
    const fitness = {
        staticFunction: () => true,
        normalize: (a, b) => {
            return (fitness.staticFunction()) ? a+b : 0;
        }
    };
    return process.traceMethodCalls(fitness); // injected my proxy here
};

执行后,我的log变量中有normalize函数,但不是staticFunction因为它不是在拦截的对象上调用,而是直接在Fitness上调用。

拦截这些方法调用的最佳方法是什么?

4

1 回答 1

2

你可以像这样注入你的代理:

let fitness = { … };
fitness = process.traceMethodCalls(fitness);
return fitness;

或者,不要使用引用原始目标的函数。相反,使用this

const fitness = {
    staticFunction() { return true },
    normalize(a, b) {
        return (this.staticFunction()) ? a+b : 0;
    }
};
于 2017-12-22T15:18:37.527 回答