下面的代码有区别吗?

$('#whatever').on('click', function() {
     /* your code here */
});

and

$('#whatever').click(function() {
     /* your code here */
});

当前回答

不,没有。 on()的重点是它的其他重载,以及处理没有快捷方法的事件的能力。

其他回答

他们现在已经弃用了click(),所以最好使用on('click')

它们看起来是一样的……click()函数的文档:

这个方法是.bind('click', handler)的快捷方式。

on()函数的文档:

从jQuery 1.7开始,.on()方法提供了所需的所有功能 用于附加事件处理程序。获取从旧jQuery转换的帮助 事件方法,请参见.bind(), .delegate()和.live()。删除事件 与.on()绑定,请参见.off()。

我认为,区别在于使用模式。

我更喜欢.on而不是.click,因为前者可以使用更少的内存,并为动态添加的元素工作。

考虑下面的html:

<html>
    <button id="add">Add new</button>
    <div id="container">
        <button class="alert">alert!</button>
    </div>
</html>

我们在哪里添加新按钮

$("button#add").click(function() {
    var html = "<button class='alert'>Alert!</button>";
    $("button.alert:last").parent().append(html);
});

并想要“警报!”来显示警报。我们可以用"click"或"on"来表示。


当我们使用点击

$("button.alert").click(function() {
    alert(1);
});

使用上述方法,将为每个匹配选择器的元素创建单独的处理程序。这意味着

许多匹配的元素将创建许多相同的处理程序,从而增加内存占用 动态添加的项目不会有处理程序——例如,在上面的html中,新添加的“Alert!”按钮将不起作用,除非你重新绑定处理程序。

当我们使用。on

$("div#container").on('click', 'button.alert', function() {
    alert(1);
});

使用上述方法,所有匹配选择器的元素都有一个处理程序,包括动态创建的元素。


...使用.on的另一个原因

正如Adrien在下面评论的那样,使用.on的另一个原因是名称空间事件。

如果你添加了一个带有。on("click",处理程序)的处理程序,你通常会使用。off("click",处理程序)删除它,这将删除该处理程序。显然,只有当您有对函数的引用时,这才有效,那么如果没有呢?你可以使用命名空间:

$("#element").on("click.someNamespace", function() { console.log("anonymous!"); });

通过解绑定

$("#element").off("click.someNamespace");

下面的代码有区别吗?

不,在你的问题中的两个代码示例之间没有功能上的区别。click(fn)是.on(“click”,fn)的“快捷方法”。来自.on()的文档:

对于一些事件(如.click()),可以使用一些简写方法来附加或触发事件处理程序。有关简写方法的完整列表,请参见事件类别。

请注意,.on()与.click()的不同之处在于,它能够通过传递选择器参数来创建委托事件处理程序,而.click()则不能。当不带选择器参数调用.on()时,它的行为与.click()完全相同。如果需要事件委托,请使用.on()。

在这里,您将获得应用点击事件的不同方式的列表。你可以选择相应的,如果你的点击不工作,只是尝试一个替代这些。

$('.clickHere').click(function(){ 
     // this is flat click. this event will be attatched 
     //to element if element is available in 
     //dom at the time when JS loaded. 

  // do your stuff
});

$('.clickHere').on('click', function(){ 
    // same as first one

    // do your stuff
})

$(document).on('click', '.clickHere', function(){
          // this is diffrent type 
          //  of click. The click will be registered on document when JS 
          //  loaded and will delegate to the '.clickHere ' element. This is 
          //  called event delegation 
   // do your stuff
});

$('body').on('click', '.clickHere', function(){
   // This is same as 3rd 
   // point. Here we used body instead of document/

   // do your stuff
});

$('.clickHere').off().on('click', function(){ // 
    // deregister event listener if any and register the event again. This 
    // prevents the duplicate event resistration on same element. 
    // do your stuff
})