0

我为 jQuery 编写了一系列插件,它们基本上充当移动浏览器的事件。您可以在此处查看它们 > http://ben-major.co.uk/2011/11/jquery-mobile-events/

目前,它们被调用$(ele).tap(handler)等等,但我想添加功能来触发自定义事件,以便可以使用类似$(ele).on('tap', handler);.

我现在正在使用以下代码,但这似乎不起作用:

$(function() {
    $('*').tapstart(function() { $(this).trigger('tapstart'); })
          .tapend(function() { $(this).trigger('tapend'); })
          .tap(function() { $(this).trigger('tap'); })
          .doubletap(function() { $(this).trigger('doubletap'); })
          .taphold(function() { $(this).trigger('taphold'); })
          .swipedown(function() { $(this).trigger('swipedown'); })
          .swipeup(function() { $(this).trigger('swipeup'); })
          .swipeleft(function() { $(this).trigger('swipeleft'); })
          .swiperight(function() { $(this).trigger('swiperight'); });
});

这是一个jsFiddle来演示我的问题。显然,单击第二个div应该模仿第一个的动作,但是由于它是在解析上面给出的绑定之后添加到 DOM 中的,所以它没有。

我想我的问题是:实现我想要的最好的方法是什么?有没有办法选择现在和将来存在于 DOM 中的所有元素(如果可能,我宁愿不使用livequery或外部插件之类的东西)。

4

1 回答 1

1

在您的情况下,我认为 jQuery 不会正确处理您的自定义事件(因为自定义事件不会冒泡到文档中)。答案是将事件侦听器的一个分支绑定到document. 并且永远不要在这种情况下使用 jQuery。

jQuery的实时模式几乎和我建议的一样,但它会尝试将event.target与绑定选择器(在你的问题中说'*')匹配,这非常慢(也是手机的电池消耗器。)

如果您想与特定类型或特定类名的元素进行交互,只需您自己处理它,并触发所需的事件处理程序。

一个例子:

function findAncestorOfType(el, type) {
  while (el && !(el instanceof type))
    el = el.parent;
  return el;
}

document.addEventListener('click', function(evt) {
  var target = findAncestorOfType(evt.target, LIElement);
  if (target) {
    // distinguish event type
    type = 'click';
    callbacks[type](target, evt);
  }
}, false);
于 2012-05-17T10:41:48.000 回答