jQuery新手:如何将参数传递给事件处理函数?

时间:2009-06-21 02:15:20

标签: javascript jquery

我正在查看jQuery文档here中“click”事件的示例。我可以按如下方式重构两个匿名函数,它仍然有效:

$(document).ready(function(){
    $("p").hover(hilite, remove_hilite);
  });

  function hilite()
  {
    $(this).addClass("hilite");
  }

  function remove_hilite()
  {
    $(this).removeClass("hilite");
  }

但是,如果我想将参数传递给hilite怎么办?我的第一个猜测是我应该使用像this这样的匿名函数。但是,即使我在没有参数的情况下使用它,这似乎也不起作用:

$("p").hover(
    function()
    {
        hilite();
    }
    ,
    function()
    {
        remove_hilite();
    }
);

我也尝试过如下重构,但这也不起作用:

$(document).ready(function(){
    $("p").hover(hilite2, remove_hilite);
  });

  function hilite2(){
     return hilite();
  }

这样做的正确方法是什么?我觉得我有一个很大的概念误解。特别是,我不清楚在我的第一次重构中,this对象是如何传递给hilite函数的。

3 个答案:

答案 0 :(得分:2)

您可以将悬停函数调用封装到另一个接受'className'参数的函数中:

$.fn.hoverClass = function(className){
    return this.hover(function(){
        $(this).addClass(className);
    }, function(){
        $(this).removeClass(className);
    });
}

然后你可以简单地使用它:

$('p').hoverClass('hilite');

答案 1 :(得分:1)

我认为您想要的是部分功能应用

function partial(func /*, 0..n args */) {
  var args = Array.prototype.slice.call(arguments, 1);
  return function() {
    var allArguments = args.concat(Array.prototype.slice.call(arguments));
    return func.apply(this, allArguments);
  };
}

使用上述功能,您现在可以执行以下操作:

$(document).ready(function(){
    var f = partial(hilite, "arg1", "arg2" /*etc...*/);
    $("p").hover(f, remove_hilite);
  });

参考:How can I pre-set arguments in JavaScript function call? (Partial Function Application)

答案 2 :(得分:0)

为什么不能简单地在匿名函数中调用$(this).addClass()方法?

$("p").hover(
  function () {
    $(this).addClass("hilight");
  },
  function () {
    $(this).removeClass("hilight");
  }
);