JS动态添加事件

方法一、setAttribute
var obj = document.getElementById("obj");
obj.setAttribute("onclick", "javascript:alert('测试');");
但是IE不支持用 setAttribute 设置某些属性,包括对象属性、集合属性、事件属性,也就是说用 setAttribute 设置 style、onclick、onmouseover 这些属性在 IE 中是行不通的。

方法二、用 attachEvent 和 addEventListener
IE 支持 attachEventobject.attachEvent(event,function),例如:

  1. obj.attachEvent("onclick", Foo);  
  2. function Foo()  
  3. {  
  4.     alert("测试");  
  5. }  

或者写成 obj.attachEvent("onclick", function(){alert("测试");});
其它浏览器支持 addEventListener,element.addEventListener(type,listener,useCapture,

  1. obj.addEventListener("click", Foo, false);  
  2. function Foo()  
  3. {  
  4.     alert("测试");  
  5. }  

同样也可写在一起obj.addEventListener("click", function(){alert("测试");}, false);
注意 attachEvent 的事件带 on,如 onclick,而 addEventListener 不带 on,如 click。

  1. 考虑兼容性:  
  2. if (window.attachEvent)//兼容IE  
  3. {  
  4.     //IE 的事件代码  
  5. }  
  6. else  
  7. {  
  8.     //其它浏览器的事件代码  
  9. }  

上面有两种添加事件的方法,为了同一添加事件的方法,我们不得不再重新写一个通用的添加事件函数:

版本一:

 
  1. function addEvent(elm, evType, fn, useCapture) {  
  2. if (elm.addEventListener) {  
  3. elm.addEventListener(evType, fn, useCapture);//DOM2.0  
  4. return true;  
  5. }  
  6. else if (elm.attachEvent) {  
  7. var r = elm.attachEvent(‘on‘ + evType, fn);//IE5+  
  8. return r;  
  9. }  
  10. else {  
  11. elm['on' + evType] = fn;//DOM 0  
  12. }  
  13. }  

HTML5工作组的版本:
  1. var addEvent=(function(){  
  2. if(document.addEventListener){  
  3. return function(el,type,fn){  
  4. if(el.length){  
  5. for(var i=0;i<el.length;i++){  
  6. addEvent(el[i],type,fn);  
  7. }  
  8. }else{  
  9. el.addEventListener(type,fn,false);  
  10. }  
  11. };  
  12. }else{  
  13. return function(el,type,fn){  
  14. if(el.length){  
  15. for(var i=0;i<el.length;i++){  
  16. addEvent(el[i],type,fn);  
  17. }  
  18. }else{  
  19. el.attachEvent(‘on‘+type,function(){  
  20. return fn.call(el,window.event);  
  21. });  
  22. }  
  23. };  
  24. }  
  25. })();  

 

方法三、事件 = 函数

例:obj.onclick = Foo;
这种绑定事件的方式,兼容主流浏览器,但如果一个元素上添加多次同一事件呢?

1 obj.onclick=method1;
2 obj.onclick=method2;
3 obj.onclick=method3;

如果这样写,那么只有最后绑定的事件,这里是method3会被执行,此时应该用方法二的方法进行事件的绑定



区别IE6、IE7、IE8之间的方法:

 
    1. var isIE=!!window.ActiveXObject;  
    2. var isIE6=isIE&&!window.XMLHttpRequest;  
    3. var isIE8=isIE&&!!document.documentMode;  
    4. var isIE7=isIE&&!isIE6&&!isIE8;  
    5. if (isIE){  
    6.   if (isIE6){  
    7.     alert(”ie6″);  
    8.   }else if (isIE8){  
    9.     alert(”ie8″);  
    10.   }else if (isIE7){  
    11.     alert(”ie7″);  
    12.   }  
    13. }  
posted @ 2013-11-01 12:29  web8  阅读(985)  评论(0编辑  收藏  举报