从jQuery 1.7 开始,on
方法取代了 live 方法。虽然它没有像您描述的那样传递或匹配选择器的简单方法,但可以通过传入动态值data-events
代替事件类型来完成此操作,只要数据事件值与该事件匹配.
然而,由于传递给 on 方法的事件参数的参数——第一个参数——是从每个 data-events 属性中获取的,从匹配元素集中的每个元素中,我们必须遍历匹配元素的集合,以便我们分别访问每个元素的单独 data-events 属性值:
$('.js-test').each(function() {
$(this).on( $(this).attr("data-events"), function() {
// event pulled from data-events attribute
alert("hello - this event was triggered by the " + $(this).attr("data-events") + " action.");
});
});
我希望所有事件都映射到同一个函数,但有不同的事件触发对不同 DOM 元素的函数调用。
由于您希望将所有事件映射到单个函数,因此此解决方案可以满足您的特定要求并解决您的问题。
但是,如果您的需求发生变化并且您发现需要映射一组函数事件以匹配每种事件类型,这应该可以帮助您开始:
var eventFnArray = [];
eventFnArray["click"] = function() {
alert("click event fired - do xyz here");
// do xyz
};
eventFnArray["mouseover"] = function() {
alert("mouseover fired - do abc here");
// do abc
};
$('.js-test').each( (function(fn) {
return function() {
$(this).on( $(this).attr("data-events"), function() {
alert("hello - this is the " + $(this).attr("data-events") + " event");
// delegate to the correct event handler based on the event type
fn[ $(this).attr("data-events") ]();
});
}
})(eventFnArray)); // pass function array into closure
更新:
这已经过测试,并且确实适用于添加到 div#container 的新元素。问题在于on
方法的运作方式。The delegating nature of on
only works if the parent element is included in the selector, and only if a selector is passed into the second parameter, which filters the target elements by data-events attribute:
HTML:
<div id="container">
<a href="#" class="js-test" data-events="click">Test 1</a>
<a href="#" class="js-test" data-events="mouseover">Test 2</a>
</div>
JavaScript:
$(document).ready(function() {
$('.js-test').each(function() {
var _that = this;
alert($(_that).attr("data-events"));
$(this).parent().on(
$(_that).attr("data-events"),
'.js-test[data-events="'+ $(_that).attr("data-events") +'"]',
function() {
// event pulled from data-events attribute
alert("hello - this event was triggered by the " + $(_that).attr("data-events") + " action.");
}
);
}
);
});
此外,使用以下 jQuery 将项目添加到容器以对其进行测试:
$('#container')
.append("<a href='#' class='js-test' data-events='mouseover'>Test 3</a>");
试试看:
这是一个演示测试和工作功能的jsfiddle。