想象一个简单的递归函数,我们试图包装它以检测输入和输出。
// A simple recursive function.
const count = n => n && 1 + count(n-1);
// Wrap a function in a proxy to instrument input and output.
function instrument(fn) {
return new Proxy(fn, {
apply(target, thisArg, argumentsList) {
console.log("inputs", ...argumentsList);
const result = target(...argumentsList);
console.log("output", result);
return result;
}
});
}
// Call the instrumented function.
instrument(count)(2);
但是,这仅记录最顶层的输入和输出。我想找到一种方法让
count
在递归时调用检测版本。 最佳答案
该函数调用 count
,因此这就是您需要包装的内容。你可以这样做
const count = instrument(n => n && 1 + count(n-1));
或者
let count = n => n && 1 + count(n-1);
count = instrument(count);
对于其他一切,您需要将递归调用的函数动态注入(inject)到检测函数中,类似于 Y 组合器的工作方式。
关于javascript - 代理递归函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/41478219/