17

函数如何限制其调用的速率?如果调用过于频繁,则不应丢弃调用,而是要排队并及时间隔,相隔 X 毫秒。我已经查看了throttledebounce,但是它们丢弃了调用,而不是将它们排队等待将来运行。

process()有比在 X 毫秒间隔上设置方法的队列更好的解决方案吗?JS框架中有这样的标准实现吗?到目前为止,我已经查看了underscore.js - 没有。

4

4 回答 4

7

没有库应该相当简单:

var stack = [], 
    timer = null;

function process() {
    var item = stack.shift();
    // process
    if (stack.length === 0) {
        clearInterval(timer);
        timer = null;
    }
}

function queue(item) {
    stack.push(item);
    if (timer === null) {
        timer = setInterval(process, 500);
    }
}

http://jsfiddle.net/6TPed/4/

于 2014-04-15T01:14:15.223 回答
6

这是一个继承的例子this(或者让你设置一个自定义的)

function RateLimit(fn, delay, context) {
    var canInvoke = true,
        queue = [],
        timeout,
        limited = function () {
            queue.push({
                context: context || this,
                arguments: Array.prototype.slice.call(arguments)
            });
            if (canInvoke) {
                canInvoke = false;
                timeEnd();
            }
        };
    function run(context, args) {
        fn.apply(context, args);
    }
    function timeEnd() {
        var e;
        if (queue.length) {
            e = queue.splice(0, 1)[0];
            run(e.context, e.arguments);
            timeout = window.setTimeout(timeEnd, delay);
        } else
            canInvoke = true;
    }
    limited.reset = function () {
        window.clearTimeout(timeout);
        queue = [];
        canInvoke = true;
    };
    return limited;
}

现在

function foo(x) {
    console.log('hello world', x);
}
var bar = RateLimit(foo, 1e3);
bar(1); // logs: hello world 1
bar(2);
bar(3);
// undefined, bar is void
// ..
// logged: hello world 2
// ..
// logged: hello world 3
于 2014-04-15T01:33:04.937 回答
2

虽然其他人提供的片段确实有效(我已经基于它们构建了一个),但对于那些想要使用支持良好的模块的人来说,这里是首选:

  • 最流行的速率限制器是限制器
  • function-rate-limit有一个简单的 API 可以工作,并且在 npmjs 上有很好的使用统计
  • Valvelet是一个较新的模块,声称通过支持 Promise 做得更好,但尚未普及
于 2016-08-15T20:15:15.957 回答
1

我需要一个 TypeScript 版本,所以我拿了@Dan Dascelescu小提琴并添加了类型。

如果您可以改进打字,请发表评论

function rateLimit<T>(
  fn: (...args: Array<any>) => void,
  delay: number,
  context?: T
) {
  const queue: Array<{ context: T; arguments: Array<any> }> = []
  let timer: NodeJS.Timeout | null = null

  function processQueue() {
    const item = queue.shift()

    if (item) {
      fn.apply<T, Array<any>, void>(item.context, item.arguments)
    }

    if (queue.length === 0 && timer) {
      clearInterval(timer)
      timer = null
    }
  }

  return function limited(this: T, ...args: Array<any>) {
    queue.push({
      context: context || this,
      arguments: [...args],
    })

    if (!timer) {
      processQueue() // start immediately on the first invocation
      timer = setInterval(processQueue, delay)
    }
  }
}
于 2021-05-14T06:08:37.340 回答