我只是在填充某些表单字段时尝试向锚添加事件处理程序,如下所示:
$('#newName, #newFrom').keyup(function (e) {
if ($('#newName').val() || $('#newFrom').val()) {
$('#add-person').click(function (e) {
//Handle event, includes adding a row to a table.
$('this').off();
});
}
});
似乎第一个事件正在传播到第二个事件,因为我最终在表格中输入的行数和我输入的键数相同。
我尝试过添加
e.stopPropagation();
但没有成功。
答案 0 :(得分:1)
$('this').off();
应为$(this).off();
也许您最好使用input
事件代替keyup
。即使将内容粘贴到您的字段中,也会触发input
事件。
// (cache your selectors)
var $newName = $("#newName"),
$newFrom = $("#newFrom");
// create a boolean flag
var haveNewValue = false;
// modify that flag on fields `input`
$newName.add( $newFrom ).on("input", function() {
haveNewValue = ($.trim($newName.val()) + $.trim($newFrom.val())).length > 0;
});
// than inside the click test your flag
$('#add-person').click(function (e) {
if(!haveNewValue) return; // exit function if no entered value.
// do stuff like adding row to table
});
出了什么问题:
在每个keyup
上您为该按钮分配了一个新的(因此多个)click
个事件,但是(更正为:)$(this).off()
仅在实际按钮点击后触发。
使用.on()
和off.()
的更好方法(注意使用.click()
方法和.on()
方法的区别)是:
function doCoffee() {
alert("Bzzzzzzzz...BLURGGUZRGUZRGUZRG");
}
$("#doCoffeeButton").on("click", doCoffee); // Register "event" using .on()
$("#bossAlertButton").click(function() {
$("#doCoffeeButton").off("click"); // Turn off "event" using .off()
});