在事件侦听器中传递回调参数



当我试图在addEventListener中传递参数时,它的行为异常

var animateFunction = function (i) {
if (animBool) {
    Fn.slideData(values(i)); // To fetch some data
    util.animate.tweenAnimate(sliderWrapper, 0 , Math.ceil("-"+sliderWidth));
    animBool = 0;
} else {
    util.animate.tweenAnimate(sliderWrapper, Math.ceil("-"+sliderWidth) ,0);
    animBool = 1;
}
}; 
for (i = 0; i < annotateArray.length; i++) {
//To Remember the state of value "i"
(function (i) {
    //Custom Event Listener for fallback for IE
    util.addEvent(annotateArray[i], "click", animateFunction(i), true);
}(i));
}
 for (i = 0; i < annotateArray.length; i++) {
    //Custom Remove Event Listener for fallback for IE
    util.removeEvent(annotateArray[i], "click", animateFunction);
}
//Custom Bind Event Method
util.addEvent = function (obj, evt, callback, capture) {
    if (window.attachEvent) {
        obj.attachEvent("on" + evt, callback);
    } else {
        if (!capture) {
            capture = false;
        }
        obj.addEventListener(evt, callback, capture);
    }
};

我试图将事件动态绑定到所有元素,但当我点击元素时,函数的行为与预期的不一样

您实际上是将undefined作为事件处理程序传递,而不是实际的回调。此处:

util.addEvent(annotateArray[i], "click", animateFunction(i), true);

您正在调用函数,该函数返回undefined。必须将函数引用传递给addEventListener。您的循环中已经有一些"记住值'i'的状态",但您没有正确使用它。应该是:

for (i = 0; i < annotateArray.length; i++) {
    //To Remember the state of value "i"
    (function (i) {
        // Custom Event Listener for fallback for IE
        util.addEvent(annotateArray[i], "click", function() {animateFunction(i)}, true);
    }(i));
}

最新更新