我在锚元素中附加了一个mousedown事件,该事件可做很多事情.
我还有一个附加于文档的mousedown事件,由于冒泡,每当触发附加到锚点的事件时,都会调用此事件.这不是我想要的.
我可以延迟绑定事件吗?
我不想使用stopPropagation.
$('a').mousedown ->
...
openWindow()
$(document).mousedown ->
...
closeWindow()
编辑
我创建了一个hack
$.fn.onBubble = (events, selector, data, handler) ->
setTimeout =>
this.on events, selector, data, handler
, 0
工作但是很丑
解决方法:
正如评论中提到的那样,阻止事件冒泡的唯一方法是使用stopPropagation
.也就是说,如果在两种情况下您都希望防止冒泡,而在其他情况下您不想这样做,则可以将event.stopPropagation()放入一个if语句:
$(...).mousedown(function(event) {
if(/* some condition */) { event.stopPropagation(); }
});
或者,您可以向附加到文档的事件处理程序添加条件.例如:
$(document).mousedown(function(event) {
if($(event.target).is("a")) {
return; // if the element that originally trigged this event
// (i.e. the target) is an anchor, then immediately return.
}
/** code that runs if event not from an anchor **/
});
此代码段使用$.fn.is
确定事件是否由锚触发.如果它是由锚点生成的,则代码将立即返回,实际上将忽略事件冒泡.
编辑以回应评论:
如果我理解正确,那么如果用户单击窗口中未包含的任何内容,则您想关闭窗口.在这种情况下,请尝试以下操作:
function whenWindowOpens { // Called when the window is opened
var windowElement; // Holds actual window element (not jQuery object)
$(document).bind("mousedown", function(event) {
if($.contains(windowElement, event.target)) {
return; // Ignore mouse downs in window element
}
if($(event.target).is(windowElement)) {
return; // Ignore mouse downs on window element
}
/** close window **/
$(this).unbind(event); // detaches event handler from document
});
}
这基本上是上述第二种解决方案的变体.前两个if语句确保在windowElement中(使用$.contains
)或(再次使用$.fn.is
)没有发生鼠标按下的情况.当两个语句均为false时,我们关闭窗口并取消绑定当前事件处理程序.请注意,$.contains仅采用原始DOM元素-而不是jQuery对象.要从jQuery对象获取原始DOM元素,请使用$.fn.get
.