通过参数调用去抖函数

时间:2016-12-12 15:30:37

标签: javascript events debouncing

David Walsh有一个很好的去抖动实施here

// Returns a function, that, as long as it continues to be invoked, will not
// be triggered. The function will be called after it stops being called for
// N milliseconds. If `immediate` is passed, trigger the function on the
// leading edge, instead of the trailing.
function debounce(func, wait, immediate) {
    var timeout;
    return function() {
        var context = this, args = arguments;
        var later = function() {
            timeout = null;
            if (!immediate) func.apply(context, args);
        };
        var callNow = immediate && !timeout;
        clearTimeout(timeout);
        timeout = setTimeout(later, wait);
        if (callNow) func.apply(context, args);
    };
};

我在制作中使用它并且效果很好。

现在我遇到了一个更为复杂的去抖动需求。

我有一个事件用这样的param调用事件处理程序: $(elem).on(' onSomeEvent',(e)=> {handler(e.X)});

我很乐意经常触发此事件并且每秒调用处理程序甚至1000次。我不需要去除处理程序本身。 但在我的情况下,对于每个e.X,我希望在一段时间内只调用一次,比如说250ms。

我在考虑创建一个包含x和最后一次运行时间的二维数组,但我不想声明任何全局变量。

有什么想法吗?

*编辑*

在阅读了@Tim Vermaelen之后,我已经像这样实现了它,并且它有效:

export function debounceWithId(func, wait, id, immediate?) {
        var timeouts = {};
        return function () {
            var context = this, args = arguments;
            var later = function () {
                timeouts[id] = null;
                if (!immediate) func.apply(context, args);
            };
            var callNow = immediate && !timeouts[id];
            clearTimeout(timeouts[id]);
            timeouts[id] = setTimeout(later, wait);
            if (callNow) func.apply(context, args);
        };
    };

1 个答案:

答案 0 :(得分:3)

我一直使用以下内容:

var debounce = (function () {
    var timers = {};

    return function (callback, delay, id) {
        delay = delay || 500;
        id = id || "duplicated event";

        if (timers[id]) {
            clearTimeout(timers[id]);
        }

        timers[id] = setTimeout(callback, delay);
    };
})(); // note the call here so the call for `func_to_param` is omitted

我不相信你的解决方案有很大的不同,除了我可以在事件中添加唯一ID。如果我理解正确的话,你必须将它包裹在handler(e.X)附近。

debounce(func_to_param, 250, 'mousewheel');
debounce(func_to_param, 250, 'scrolling');