延迟jQuery中的keypress之间的动作

时间:2010-03-09 17:08:09

标签: jquery ajax delay

如何在jQuery中延迟按键之间的操作。 例如;

我有类似的东西

 if($(this).val().length > 1){
   $.post("stuff.php", {nStr: "" + $(this).val() + ""}, function(data){
    if(data.length > 0) {
      $('#suggestions').show();
      $('#autoSuggestionsList').html(data);
    }else{
      $('#suggestions').hide();
    }
 });
}

如果用户不断输入,我想阻止发布数据。那我怎么能延迟0.5秒?

5 个答案:

答案 0 :(得分:61)

您可以使用jQuery的数据功能来执行此操作,如下所示:

$('#mySearch').keyup(function() {
  clearTimeout($.data(this, 'timer'));
  var wait = setTimeout(search, 500);
  $(this).data('timer', wait);
});

function search() {
  $.post("stuff.php", {nStr: "" + $('#mySearch').val() + ""}, function(data){
    if(data.length > 0) {
      $('#suggestions').show();
      $('#autoSuggestionsList').html(data);
    }else{
      $('#suggestions').hide();
    }
  });
}

这里的主要优点是遍布整个地方没有全局变量,如果你愿意,你可以将它包装在setTimeout中的匿名函数中,只是尽量使示例尽可能干净。

答案 1 :(得分:10)

您需要做的就是将函数包装在超时中,当用户按下某个键时,该超时会被重置:

var ref;
var myfunc = function(){
   ref = null;
   //your code goes here
};
var wrapper = function(){
    window.clearTimeout(ref);
    ref = window.setTimeout(myfunc, 500);
}

然后只需在关键事件中调用“包装器”。

答案 2 :(得分:3)

有一个很好的插件来处理这个问题。 jQuery Throttle / Debounce

答案 3 :(得分:2)

尼克的答案是完美的,但如果立即处理第一个事件至关重要,那么我认为我们可以做到:

$(selector).keyup(function(e){ //or another event

    if($(this).val().length > 1){
        if !($.data(this, 'bouncing-locked')) {

            $.data(this, 'bouncing-locked', true)

            $.post("stuff.php", {nStr: "" + $(this).val() + ""}, function(data){
                if(data.length > 0) {
                    $('#suggestions').show();
                    $('#autoSuggestionsList').html(data);
                }else{
                    $('#suggestions').hide();
                }
           });

            self = this
            setTimeout(function() {
                $.data(self, 'bouncing-locked', false);

                //in case the last event matters, be sure not to miss it
                $(this).trigger("keyup"); // call again the source event
            }, 500)
        }
    }
});

答案 4 :(得分:1)

我将它包装在一个像这样的函数中:

  var needsDelay = false;

  function getSuggestions(var search)
  {
    if(!needsDelay)
    {
        needsDelay = true;
        setTimeout("needsDelay = false", 500);

        if($(this).val().length > 1){
            $.post("stuff.php", {nStr: "" + search + ""}, function(data){
                if(data.length > 0) {
                    $('#suggestions').show();
                    $('#autoSuggestionsList').html(data);
                }else{
                    $('#suggestions').hide();
                }
            });
        }
    }


  }

这样,无论你多少次ping这个,你都不会搜索超过500毫秒。