Javascript:如何调整我的去抖函数以采用IF条件?

时间:2012-06-29 23:46:55

标签: javascript

我发现了一个错误,并将其追踪 你可以see a simplified example of my code here

事实证明,我需要去除我的if()陈述,而不是去除功能本身。
我想将debounce作为独立函数保留,但我不确定如何传递条件。

任何指针?

这是代码:

var foo = function(xyz) {
    alert(xyz);
};

function setter(func, arg1, arg2) {
    return {
        fn: func,
        arg1: arg1,
        arg2: arg2
    };
}

function debounce(someObject) {
    var duration = someObject.arg2 || 100;
    var timer;
    if (timer) {
        clearTimeout(timer);
    }
    timer = setTimeout(function() {
        someObject.fn(someObject.arg1);
        timer = 0;
    }, duration);
}

var toggle = true;

if (toggle) {
    debounce(setter(foo, 'The best things in life are worth waiting for.', 1250));
} else {
    foo('Instant gratification is sweet!!');
}

1 个答案:

答案 0 :(得分:7)

使用您的示例,为什么不在arg 1中传递切换...类似于:

var toggle = true;
var debouncedFunk = function(toggle) {
  if (toggle)
    // the function call
  else
    // something else
};
debounce(debouncedFunk, toggle, 1250);

您还应该考虑使用Function对象.call.apply方法。它们用于调用函数并传入参数。以示例函数为例:

var example = function(one, two) { 
  // Logic here
};

您可以通过三种方式调用它:

// First
example(1, 2);
// Second
example.call({}, 1, 2);
// Third
example.apply({}, [ 1, 2 ]);

第一种是调用函数的标准方法。第一个和.call之间的区别在于.call的第一个参数是函数的上下文对象(this将指向函数内部),其他参数传递之后(.call需要一个已知列表。.apply的好处是你可以将数组传递给参数函数,它们将被适当地分配给参数列表,第一个参数仍然是上下文对象。

它可以简化你的去抖功能,而不必像现在那样处理结构化对象。

你的辩解的建议:

var debounce = function(funk, delay) {
  var args = [];
  if (arguments.length > 2)
    args = [].slice.call(arguments, 2);
  setTimeout(function() { funk.apply({}, args); }, delay);
};

将当前的if更改为:

var toggle = true;
var debouncedFunk = function(toggle) {
  if (toggle)
    // Do if true
  else
    // DO if false
};
debounce(debouncedFunk, 1000, toggle);

也许有太多信息(抱歉)?

作为最后一点,我建议使用一个框架(如果可能的话)已经实现了这些功能(以及许多其他有用的功能),例如Underscore。使用下划线你的例子看起来像:

// Define debouncedFunk and toggle
debouncedFunk = _.bind(debouncedFunk, {}, toggle);
debouncedFunk = _.debounce(debouncedFunk, 1000);
debouncedFunk();

修改

修正了下划线示例,_.debounce返回一个仅在延迟后执行但仍需要调用的函数。