0

当我尝试在 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);
    }
};

我正在尝试将事件动态绑定到所有元素,但是当我单击该元素时,该函数的行为不符合预期

4

1 回答 1

1

您实际上是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));
}
于 2013-02-22T14:58:43.887 回答