4

想象一个简单的递归函数,我们试图包装它以检测输入和输出。

// 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在递归时调用检测版本的方法。

4

1 回答 1

-1

该函数调用count,因此这就是您需要包装的内容。你可以做

const count = instrument(n => n && 1 + count(n-1));

或者

let count = n => n && 1 + count(n-1);
count = instrument(count);

对于其他一切,您需要将用于递归调用的函数动态注入到检测函数中,类似于 Y 组合器的操作方式。

于 2017-03-02T19:45:00.913 回答