资讯专栏INFORMATION COLUMN

jQuery源码解析之click()的事件绑定

figofuture / 1942人阅读

摘要:阶段二目标浏览器找到监听器后,就运行该监听器阶段三冒泡目标到祖在事件自下而上到达目标节点的过程中,浏览器会检测不是针对该事件的监听器用来捕获事件,并运行非捕获事件的监听器。注意下这种情况,是在里的具体实现,即调用一次后,就执行,卸载事件。

前言:
这篇依旧长,请耐心看下去。

一、事件委托
DOM有个事件流特性,所以触发DOM节点的时候,会经历3个阶段:
(1)阶段一:Capturing 事件捕获(从祖到目标)
事件自上(document->html->body->xxx)而下到达目标节点的过程中,浏览器会检测 针对该事件的 监听器(用来捕获事件),并运行捕获事件的监听器

(2)阶段二:Target 目标
浏览器找到监听器后,就运行该监听器

(3)阶段三:Bubbling 冒泡(目标到祖)
事件自下而上(document->html->body->xxx)到达目标节点的过程中,浏览器会检测不是 针对该事件的 监听器(用来捕获事件),并运行非捕获事件的监听器

二、$().click()
作用:
为目标元素绑定点击事件

源码:

</>复制代码

  1. //这种写法还第一次见,将所有鼠标事件写成字符串再换成数组
  2. //再一一绑定到DOM节点上去
  3. //源码10969行
  4. jQuery.each( ( "blur focus focusin focusout resize scroll click dblclick " +
  5. "mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave " +
  6. "change select submit keydown keypress keyup contextmenu" ).split( " " ),
  7. function( i, name ) {
  8. //事件绑定
  9. // Handle event binding
  10. jQuery.fn[ name ] = function( data, fn ) {
  11. return arguments.length > 0 ?
  12. //如果有参数的话,就用jQuery的on绑定
  13. this.on( name, null, data, fn ) :
  14. //否则使用trigger
  15. this.trigger( name );
  16. };
  17. } );

解析:
可以看到,jQuery 将所有的鼠标事件都一一列举了出来,并通过jQuery.fn[ name ] = function( data, fn ) { xxx }

如果有参数,则是绑定事件,调用 on() 方法;
没有参数,则是调用事件,调用 trigger() 方法( trigger() 放到下篇讲 )

三、$().on()
作用:
在被选元素及子元素上添加一个或多个事件处理程序

源码:

</>复制代码

  1. //绑定事件的方法
  2. //源码5812行
  3. jQuery.fn.extend( {
  4. //在被选元素及子元素上添加一个或多个事件处理程序
  5. //$().on("click",function()=<{})
  6. //源码5817行
  7. on: function( types, selector, data, fn ) {
  8. return on( this, types, selector, data, fn );
  9. },
  10. //xxx
  11. //xxx
  12. })

最终调用的是 jQuery.on() 方法:

</>复制代码

  1. //绑定事件的on方法
  2. //源码5143行
  3. //目标元素,类型(click,mouseenter,focusin,xxx),回调函数function(){xxx}
  4. function on( elem, types, selector, data, fn, one ) {
  5. var origFn, type;
  6. //这边可以不看
  7. // Types can be a map of types/handlers
  8. if ( typeof types === "object" ) {
  9. // ( types-Object, selector, data )
  10. if ( typeof selector !== "string" ) {
  11. // ( types-Object, data )
  12. data = data || selector;
  13. selector = undefined;
  14. }
  15. for ( type in types ) {
  16. on( elem, type, selector, data, types[ type ], one );
  17. }
  18. return elem;
  19. }
  20. //直接调用$().on()的话会走这边
  21. if ( data == null && fn == null ) {
  22. // ( types, fn )
  23. //fn赋值为selector,即function(){}
  24. fn = selector;
  25. //再将selector置为undefined
  26. //注意这个写法,连等赋值
  27. data = selector = undefined;
  28. }
  29. //调用像$().click()的话会走这边
  30. else if ( fn == null ) {
  31. if ( typeof selector === "string" ) {
  32. // ( types, selector, fn )
  33. fn = data;
  34. data = undefined;
  35. } else {
  36. // ( types, data, fn )
  37. fn = data;
  38. data = selector;
  39. selector = undefined;
  40. }
  41. }
  42. if ( fn === false ) {
  43. fn = returnFalse;
  44. } else if ( !fn ) {
  45. return elem;
  46. }
  47. //one()走这里
  48. if ( one === 1 ) {
  49. //将fn赋给origFn后,再定义fn
  50. origFn = fn;
  51. fn = function( event ) {
  52. //将绑定给目标元素的事件传给fn,
  53. //并通过$().off()卸载掉
  54. // Can use an empty set, since event contains the info
  55. jQuery().off( event );
  56. //在origFn运行一次的基础上,让origFn调用fn方法,arguments即event
  57. return origFn.apply( this, arguments );
  58. };
  59. //让fn和origFn使用相同的guid,这样就能移除origFn方法
  60. // Use same guid so caller can remove using origFn
  61. fn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ );
  62. }
  63. return elem.each( function() {
  64. //最终调动$.event.add方法
  65. jQuery.event.add( this, types, fn, data, selector );
  66. } );
  67. }

解析:
可以看到,由于将 bind()、live() 和 delegate() 都合并进 on() 后,on() 里面的情况挺复杂的, data、selector、fn 相互赋值。

注意下 if ( one === 1 ) 这种情况,是 $().one()on()里的具体实现,即调用一次on()后,就执行jQuery().off( event ),卸载事件。

该方法最终调用 jQuery.event.add( ) 方法

四、jQuery.event.add( )
作用:
为目标元素添加事件

源码:

</>复制代码

  1. //源码5235行
  2. /*
  3. * Helper functions for managing events -- not part of the public interface.
  4. * Props to Dean Edwards" addEvent library for many of the ideas.
  5. */
  6. jQuery.event = {
  7. global: {},
  8. //源码5241行
  9. //this, types, fn, data, selector
  10. add: function( elem, types, handler, data, selector ) {
  11. var handleObjIn, eventHandle, tmp,
  12. events, t, handleObj,
  13. special, handlers, type, namespaces, origType,
  14. //elemData正是目标元素jQuery中的id属性
  15. //初始值是{}
  16. elemData = dataPriv.get( elem );
  17. // Don"t attach events to noData or text/comment nodes (but allow plain objects)
  18. if ( !elemData ) {
  19. return;
  20. }
  21. //调用者可以传入一个自定义数据对象来代替处理程序
  22. // Caller can pass in an object of custom data in lieu of the handler
  23. if ( handler.handler ) {
  24. handleObjIn = handler;
  25. handler = handleObjIn.handler;
  26. selector = handleObjIn.selector;
  27. }
  28. //确保不正确的选择器会抛出异常
  29. // Ensure that invalid selectors throw exceptions at attach time
  30. // Evaluate against documentElement in case elem is a non-element node (e.g., document)
  31. if ( selector ) {
  32. jQuery.find.matchesSelector( documentElement, selector );
  33. }
  34. //确保handler有唯一的id
  35. // Make sure that the handler has a unique ID, used to find/remove it later
  36. if ( !handler.guid ) {
  37. handler.guid = jQuery.guid++;
  38. }
  39. //如果事件处理没有,则置为空对象
  40. // Init the element"s event structure and main handler, if this is the first
  41. //在这里,就应经给events赋值了,
  42. // 注意这种写法:赋值的同时,判断
  43. if ( !( events = elemData.events ) ) {
  44. events = elemData.events = {};
  45. }
  46. if ( !( eventHandle = elemData.handle ) ) {
  47. eventHandle = elemData.handle = function( e ) {
  48. //当在一个页面卸载后调用事件时,取消jQuery.event.trigger()的第二个事件
  49. // Discard the second event of a jQuery.event.trigger() and
  50. // when an event is called after a page has unloaded
  51. //jQuery.event.triggered: undefined
  52. //e.type: click/mouseout
  53. return typeof jQuery !== "undefined" && jQuery.event.triggered !== e.type ?
  54. //让elem调用jQuery.event.dispatch方法,参数是arguments
  55. jQuery.event.dispatch.apply( elem, arguments ) : undefined;
  56. };
  57. }
  58. //通过空格将多个events分开,一般为一个,如click
  59. // Handle multiple events separated by a space
  60. types = ( types || "" ).match( rnothtmlwhite ) || [ "" ];
  61. t = types.length;
  62. while ( t-- ) {
  63. tmp = rtypenamespace.exec( types[ t ] ) || [];
  64. //click
  65. type = origType = tmp[ 1 ];
  66. //""
  67. namespaces = ( tmp[ 2 ] || "" ).split( "." ).sort();
  68. // There *must* be a type, no attaching namespace-only handlers
  69. if ( !type ) {
  70. continue;
  71. }
  72. //如果event改变了它自己的type,就使用特殊的event handlers
  73. // If event changes its type, use the special event handlers for the changed type
  74. special = jQuery.event.special[ type ] || {};
  75. //如果选择器已定义,确定一个特殊event api的type
  76. //否则使用默认type
  77. // If selector defined, determine special event api type, otherwise given type
  78. type = ( selector ? special.delegateType : special.bindType ) || type;
  79. //不明白为什么在上面要先写一遍
  80. // Update special based on newly reset type
  81. special = jQuery.event.special[ type ] || {};
  82. //handleObj会传递给所有的event handlers
  83. // handleObj is passed to all event handlers
  84. handleObj = jQuery.extend( {
  85. type: type,
  86. origType: origType,
  87. data: data,
  88. handler: handler,
  89. guid: handler.guid,
  90. selector: selector,
  91. needsContext: selector && jQuery.expr.match.needsContext.test( selector ),
  92. namespace: namespaces.join( "." )
  93. }, handleObjIn );
  94. //第一次绑定事件,走这里
  95. // Init the event handler queue if we"re the first
  96. if ( !( handlers = events[ type ] ) ) {
  97. handlers = events[ type ] = [];
  98. handlers.delegateCount = 0;
  99. // Only use addEventListener if the special events handler returns false
  100. if ( !special.setup ||
  101. special.setup.call( elem, data, namespaces, eventHandle ) === false ) {
  102. //目标元素有addEventListener的话,调用绑定click事件
  103. if ( elem.addEventListener ) {
  104. elem.addEventListener( type, eventHandle );
  105. }
  106. }
  107. }
  108. //special的add/handleObj.handler.guidd的初始化处理
  109. if ( special.add ) {
  110. special.add.call( elem, handleObj );
  111. if ( !handleObj.handler.guid ) {
  112. handleObj.handler.guid = handler.guid;
  113. }
  114. }
  115. // Add to the element"s handler list, delegates in front
  116. if ( selector ) {
  117. handlers.splice( handlers.delegateCount++, 0, handleObj );
  118. } else {
  119. handlers.push( handleObj );
  120. }
  121. //一旦有绑定事件,全局通知
  122. // Keep track of which events have ever been used, for event optimization
  123. jQuery.event.global[ type ] = true;
  124. }
  125. },
  126. ...
  127. ...
  128. }

解析:
可以看到,很多的 if 判断,都是在初始化对象,最后通过 while 循环,调用目标元素的 addEventListener 事件,也就是说,click()/on() 的本质是 element.addEventListener() 事件,前面一系列的铺垫,都是在为目标 jQuery 对象添加必要的属性。

注意写法 if ( !( events = elemData.events ) ),在赋值的同时,判断条件

(1)dataPriv

</>复制代码

  1. //取唯一id
  2. //源码4361行
  3. var dataPriv = new Data();

在 jQuery 对象中,有唯一id的属性

</>复制代码

  1. $("#one")

</>复制代码

  1. elemData = dataPriv.get( elem )

① Data()

</>复制代码

  1. //目标元素的jQuery id
  2. //源码4209行
  3. function Data() {
  4. this.expando = jQuery.expando + Data.uid++;
  5. }

② jQuery.expando

</>复制代码

  1. jQuery.extend( {
  2. //相当于jQuery为每一个元素取唯一的id
  3. ///D/g : 去掉非数字的字符
  4. // Unique for each copy of jQuery on the page
  5. //源码360行
  6. expando: "jQuery" + ( version + Math.random() ).replace( /D/g, "" ),
  7. ...
  8. ...
  9. })

③ Math.random()
伪随机,到小数点后16位

</>复制代码

  1. expando: "jQuery" + ( version + Math.random() ).replace( /D/g, "" ),

可以看到 jQuery 的 id 是由 jQuery + 版本号+ Math.random() 生成的

关于 Math.random() 是如何生成伪随机数的请看:https://www.zhihu.com/question/22818104

(2)rtypenamespace

</>复制代码

  1. var
  2. rkeyEvent = /^key/,
  3. rmouseEvent = /^(?:mouse|pointer|contextmenu|drag|drop)|click/,
  4. //事件类型的命名空间
  5. //举例:var arr1 = "click.aaa.bbb".match(rtypenamespace);
  6. //console.log(arr1);//["click.aaa.bbb", "click", "aaa.bbb", index: 0, input: "click.aaa.bbb"]
  7. //源码5131行
  8. rtypenamespace = /^([^.]*)(?:.(.+)|)/;

综上,绑定事件的本质即调用element.addEventListener()方法,但 jQuery 有太多的情况需要考虑了。

(完)

文章版权归作者所有,未经允许请勿转载,若此文章存在违规行为,您可以联系管理员删除。

转载请注明本文地址:https://www.ucloud.cn/yun/109877.html

相关文章

  • jQuery源码解析你并不真事件委托及target和currenttarget区别

    摘要:源码源码行被点击了点击了,即委托的事件被点击了优先添加委托,再添加其他即委托在上的事件数量在下标为的位置插入委托事件解析可以看到,是优先添加委托事件,再添加自身事件,触发事件的时候也是按这个顺序。 showImg(https://segmentfault.com/img/remote/1460000019419722); 前言:请先回顾下我之前写的一篇文章:JavaScript之事件委...

    khs1994 评论0 收藏0
  • jQuery源码解析trigger()

    摘要:一和的作用和区别触发被选元素上的指定事件以及事件的默认行为比如表单提交不会引起事件比如表单提交的默认行为触发所有匹配元素的指定事件只触发第一个匹配元素的指定事件会冒泡不会冒泡二被点击了作用看一源码触发事件,是自定义事件的额外参数源码行解析本 showImg(https://segmentfault.com/img/remote/1460000019375685); 一、$().trig...

    Youngs 评论0 收藏0
  • jQuery源码解析jQuery.event.dispatch()

    摘要:一起源方法最终是用绑定事件的而方法正是等于二作用触发绑定的事件的处理程序源码源码行即原生触发事件的处理程序修正对象获取事件的处理程序集合,结构如下从数据缓存中获取事件处理集合即目标元素委托目标这段代码压根不会执行,因为全局搜索没找到结构 showImg(https://segmentfault.com/img/remote/1460000019464031); 一、起源jQuery.e...

    GraphQuery 评论0 收藏0

发表评论

0条评论

最新活动
阅读需要支付1元查看
<