search
HomeWeb Front-endJS TutorialJavaScript Event Learning Chapter 8 Sequence of Events_javascript skills

The basic question is simple. Suppose you have one element contained within another element.

Copy code The code is as follows:

------------ -----------------------
| element1 |
| ------------------ -------- |
| |element2 | |
| -------------------------- |

----------------------------------

These two Elements all have onclick event handlers. If the user clicks on element2 then the click event is triggered on both element 2 and element 1. But which event happened first? Which event handler will be executed first? In other words, what is the event order?

Two modes
There is no doubt that both Netscape and Microsoft made their own decisions during the bad days in the past.
Netscape said element1 happened first. This is called event capturing.
Microsoft thinks element2 happened first. This is called event bubbling.
The order of these two events is exactly the opposite. IE only supports event bubbling. Mozilla, Opera 7 and Konqueror support both. Earlier Opear and iCab browsers do not support either.

Event Capture
When you use event capture
Copy the code The code is as follows:


------------------| |------------------
| element1 | | |
| --------- --| |----------- |
| |element2 / | |
| ------- ------------------ |
| Event CAPTURING |
--------------------- ----------------

The event handler of element1 will be executed first, followed by element2.

Event bubbling
But when you use event bubbling
Copy the code The code is as follows:

/
---------------| |------------------
| element1 | | |
| ---------- -| |----------- |
| |element2 | | | |
| --- ----------------------- |
| Event BUBBLING |
----------------- ------------------

The event handler of element2 will be executed first, and the event handler of element1 will be executed later.

W3C Mode
W3C decided to maintain gravity in this war. In the W3C event model, any event that occurs is first captured until it reaches the target element, and then bubbles up.
Copy code The code is as follows:

| | /
------ -----------| |--| |------------------
| element1 | | | | |
| -- --------- --| |--| |----------- |
| |element2 / | | | |
| ------ -------------------------- |
| W3C event model |
------------ -------------------------------

As a designer, you can choose to register the event handler in the capturing or bubbling stage. This can be accomplished through the addEventListener() method introduced in the advanced mode before. If the last parameter is true, it is set to event capturing, if it is false, it is set to event bubbling.

Suppose you write like this
element1.addEventListener('click',doSomething2,true)
element2.addEventListener('click',doSomething,false)
If the user clicks on element2 The following things will happen:
, click event occurs in the capture phase. It seems that if any parent element of element2 has an onclick event handler, it will be executed.
, the event finds doSomething2() on element1, then it will be executed.
, the event is passed down to the target itself, and there is no other capture phase program. The event enters the bubbling phase and then doSomething() is executed, which is the event handler registered by element2 in the bubbling phase.
, the event is passed upwards and then checked to see if any parent element has set an event handler in the bubbling phase. There isn't one here, so nothing happens.
In reverse:
element1.addEventListener('click',doSomething2,false)
element2.addEventListener('click',doSomething,false)

Now if the user clicks on element2 What happens:
, event click occurs in the capture phase. The event will check whether the parent element of element2 has an event handler registered during the capture phase, which is not the case here.
, the event is passed down to the target itself. Then the bubbling phase starts and dosomething() is executed. This is the event handler registered in the bubbling phase of element2.
, the event continues to pass upward and then checks whether any parent element has registered an event handler during the bubbling phase.
, the event found element1. Then doSomething2() was executed.

Compatibility in legacy mode
For browsers that support the W3C DOM, legacy event registration

element1.onclick = doSomething2;
is considered Registered in the bubbling stage.

The use of event bubbling
Few designers are aware of event capturing or bubbling. In today's world of web page creation, there seems to be no need for a bubbling event to be handled by a series of event handlers. Users can also be confused by a series of events that occur after a click, and generally you want to keep your event handler code somewhat independent. When the user clicks on one element, something happens, and when he clicks on another element, then something else happens.
Of course this may change in the future, it is best to keep the model forward compatible. But the most practical event capture and bubbling today is the registration of default functions.

It will always happen
The first thing you need to understand is that event capturing or bubbling is always happening. If you define an onclick event for your entire page:
Copy the code The code is as follows:

document.onclick = doSomething;
if (document.captureEvents) document.captureEvents(Event.CLICK);

Your click time on any element will bubble up to the page and then set off this event handler. Only if the preceding event handler explicitly prevents bubbling, it will not be passed to the entire page.

Use
Since each event will be stopped on the entire document, the default event handler becomes possible. Suppose you have a page like this:
Copy the code The code is as follows:

---- --------------------------------
| document |
| -------- ------- ------------ |
| | element1 | | element2 | |
| --------------- ------------ |

---------------------------------- -----

element1.onclick = doSomething;
element2.onclick = doSomething;
document.onclick = defaultFunction;

Now if the user clicks element1 or element2 then doSomething() will be executed. Here you can also stop his spread if you wish. If not, then defaultFunction() will be executed. The user's clicks elsewhere will also cause defaultFunction() to be executed. Sometimes this can be useful.
Setting a global event handler is necessary when writing drag code. Usually the mousedow event on a layer will select this layer and respond to the mousemove event. Although mousedown is usually registered at this level to avoid some browser bugs, other event handlers must be document-wide.
Remember the first law of browser logic: anything happens, often when you least prepare. What may happen is that the user's mouse moves wildly and the code does not keep up, causing the mouse to no longer be on this layer.
If an onmousemove event handler is registered on a layer, it will definitely confuse the user if the layer no longer responds to mouse movements.
If an onmouseup event handler is registered on a certain page, the program will not capture the layer when the user releases the mouse, causing the layer to still move with the mouse.
Event bubbling is important in this case because the global event handler is guaranteed to execute.

Turn it off
But usually you want to turn off all related capturing and bubbling. In addition, if your document structure is very complex (such as a lot of complex tables), you also need to turn off bubbling to save system resources. Otherwise, the browser has to check the parent element one by one to see if there is an event handler. Although there may not be one, searching is still a waste of time.
In Microsoft mode you must set the cancelBubble property of the event to true.
window.event.cancelBubble = true
In W3C mode you must call the stopPropagation() method.

e.stopPropagation()
This will stop the bubbling phase of this event. It is basically impossible to prevent the capture extreme of the event. I also want to know why.
A complete cross-browser code is as follows:
Copy the code The code is as follows:

function doSomething(e)
{
if (!e) var e = window.event;
e.cancelBubble = true;
if (e.stopPropagation) e.stopPropagation();
}

There will be no problem if you set it in a browser that does not support cancelBubble. The browser will create such an attribute. Of course it's useless, just for safety.

currentTarget
As we said before, an event contains target or srcElement contains a reference to the element where the event occurred. In our case it is element2 because the user clicked on it.
It is important to understand that this target does not change during capture and bubbling: it always points to element2.
But suppose we register the following event handler:

element1.onclick = doSomething;
element2.onclick = doSomething;
If the user clicks element2 then doSomething() is executed twice. So how do you know which HTML element handles this event? target/scrElement cannot give the answer, it has been pointing to element2 from the beginning of the event.
In order to solve this problem, W3C added the currentTarget attribute. It contains a reference to the HTML element of the event being handled: the one we want. Unfortunately Microsoft mode does not have similar properties.
You can also use this keyword. In this example, it points to the HTML element of the event being processed, starting with currentTarget.

Problems with Microsoft model
But when you use Microsoft's event registration model, the this keyword does not only apply to HTML elements. Then there is no property like currentTarget, which means if you do:

element1.attachEvent('onclick',doSomething)
element2.attachEvent('onclick',doSomething)
You won't know which HTML element is handling the event. This is the most serious problem with Microsoft's event registration model, so don't use it at all, even for programs that only work under IE/win.
I hope Microsoft will add a property like currentTarget soon or follow the standard? We are in urgent need of design.

Continue
If you want to continue learning, please read the next chapter.
Original address: http://www.quirksmode.org/js/events_order.html
My twitter: @rehawk
Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
PHP8.0中的事件处理库:EventPHP8.0中的事件处理库:EventMay 14, 2023 pm 05:40 PM

PHP8.0中的事件处理库:Event随着互联网的不断发展,PHP作为一门流行的后台编程语言,被广泛应用于各种Web应用程序的开发中。在这个过程中,事件驱动机制成为了非常重要的一环。PHP8.0中的事件处理库Event将为我们提供一个更加高效和灵活的事件处理方式。什么是事件处理在Web应用程序的开发中,事件处理是一个非常重要的概念。事件可以是任何一种用户行

Steam Summer Sale - Valve teases 95% off AAA games, confirms discounts for viral games Palworld and Content WarningSteam Summer Sale - Valve teases 95% off AAA games, confirms discounts for viral games Palworld and Content WarningJun 26, 2024 pm 03:40 PM

Steam's Summer Sale has previously played host to some of the best game discounts, and this year seems to be stacking up for another home run by Valve. A trailer (watch below) teasing some of the Steam Summer Sale discounted games was just released i

Python之Pygame的Event事件模块怎么使用Python之Pygame的Event事件模块怎么使用May 18, 2023 am 11:58 AM

Pygame的Event事件模块事件(Event)是Pygame的重要模块之一,它是构建整个游戏程序的核心,比如常用的鼠标点击、键盘敲击、游戏窗口移动、调整窗口大小、触发特定的情节、退出游戏等,这些都可以看做是“事件”。事件类型Pygame定义了一个专门用来处理事件的结构,即事件队列,该结构遵循遵循队列“先到先处理”的基本原则,通过事件队列,我们可以有序的、逐一的处理用户的操作(触发事件)。下述表格列出了Pygame中常用的游戏事件:名称说明QUIT用户按下窗口的关闭按钮ATIVEEVENTPy

Steam Summer Sale trailer teases 95% off AAA game deals, confirms price cuts for Palworld, Stellaris, Content WarningSteam Summer Sale trailer teases 95% off AAA game deals, confirms price cuts for Palworld, Stellaris, Content WarningJun 26, 2024 am 06:30 AM

Steam's Summer Sale has previously played host to some of the best game discounts, and this year seems to be stacking up for another home run by Valve. A trailer (watch below) teasing some of the Steam Summer Sale discounted games was just released i

在JavaScript中,当浏览器窗口调整大小时,这是哪个事件?在JavaScript中,当浏览器窗口调整大小时,这是哪个事件?Sep 05, 2023 am 11:25 AM

使用window.outerWidth和window.outerHeight事件在JavaScript中获取窗口大小,当浏览器调整大小时。示例您可以尝试运行以下代码来使用事件检查浏览器窗口大小−<!DOCTYPEhtml><html>  <head>   <script>&am

Tesla sends out Robotaxi invitations for October 10 autonomous driving demo event in LATesla sends out Robotaxi invitations for October 10 autonomous driving demo event in LASep 27, 2024 am 06:20 AM

It was initially expected that Tesla would unveil its previously leaked Robotaxi back in August of this year, but CEO Elon Musk postponed the event, citing aesthetic changes to the front of the robotaxi and additional time needed for a few last-minut

Tesla Robotaxi reveal to go ahead on October 10 as invitations go out to select shareholdersTesla Robotaxi reveal to go ahead on October 10 as invitations go out to select shareholdersSep 26, 2024 pm 06:06 PM

It was initially expected that Tesla would unveil its previously leaked Robotaxi back in August of this year, but CEO Elon Musk postponed the event, citing aesthetic changes to the front of the robotaxi and additional time needed for a few last-minut

理解事件传播机制:捕获与冒泡顺序解析理解事件传播机制:捕获与冒泡顺序解析Feb 19, 2024 pm 07:11 PM

事件先捕获还是先冒泡?破解事件触发顺序的谜团事件处理是网页开发中非常重要的一环,而事件触发顺序则是其中的一个谜团。在HTML中,事件通常会通过“捕获”或“冒泡”的方式进行传播。究竟是先捕获还是先冒泡呢?这是一个让人十分困惑的问题。在回答这个问题之前,我们先来理解一下事件的“捕获”和“冒泡”机制。事件捕获指的是从顶层元素向目标节点一层一层地传递事件,而事件冒泡

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

PhpStorm Mac version

PhpStorm Mac version

The latest (2018.2.1) professional PHP integrated development tool

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.