码迷,mamicode.com
首页 > 编程语言 > 详细

JavaScript Interview Questions: Event Delegation and This

时间:2016-06-09 22:11:25      阅读:186      评论:0      收藏:0      [点我收藏+]

标签:

David Posin helps you land that next programming position by understanding important JavaScript fundamentals.

JavaScript is a fun, powerful, and important language with a low barrier of entry. People from all kinds of backgrounds and careers find themselves choosing to wrestle with the chaos that is JavaScript programming. With such a varied set of backgrounds, not everyone has the same broad knowledge of JavaScript and its fundamentals. Often, it’s not until you find yourself interviewing for a job that you really stop to consider why, or how, the stuff that usually just works, works.

The goal of this series will be to delve into the concepts and theories that make up JavaScript. The topics will come from Darcy Clarke’s awesome list of typical JS interview questions. Hopefully, you will finish the article with more than just an answer to the question. Each article will leave you with a new understanding, or a brush-up from your past learnings, that will help in all of your interactions with JavaScript.

Explain event delegation

Event delegation is the idea that something other than the target of an action resolves the event raised by that action. An example of event delegation would be having the document element handle the click action of a button. A fairly common occurrence, is to have a “ul” element handle the events raised by its children “li” elements.

Event delegation can be handled in several ways. The standard way is derived from native browser functionality. Browsers are programmed to handle events in a particular work flow. They are designed to support event capturing and event bubbling. The W3C documentation on how browsers are to support events can be found here:W3C DOM Level 3 Events. Some JS libraries and frameworks expose additional options such as the pub/sub model (which we will look at below).

Event capturing and event bubbling are two phases in a three phase flow. Any event that occurs, such as clicking a button, starts at the topmost container (which usually is the html root node). The browser moves down the DOM hierarchy until it finds the element raising the event. Once the browser finds the element that caused the event, it enters the targeting phase. Once targeting is complete, the browser bubbles up the DOM back to the topmost container to see if anything else needs to use the same event.

The fiddle below illustrates the process. Clicking on either button will cause the event flow to identify itself in the text below the container box. Each element receives the same click listener code. The click event first fires at the html node with the capturing phase, and then returns to the top at the end of the bubble phase.

<div id="containerOuter" style="border: 1px solid black; width: 100px; padding: 20px">
    <div id="containerInner" style="border: 1px solid black; width:80px; padding: 10px">
        <button id="button1">1</button>
        <button id="button2">2</button>
    </div>
</div>
<br/>
<div id="EventListing"></div>
ar nodes = $(‘*‘),
    node = {};
for (var i = 0; i < nodes.length; i++) {
    node = nodes[i];

    node.addEventListener(‘click‘, function (event) {
        $(‘#EventListing‘).append(‘Bubble ‘ + (event.currentTarget.id || event.currentTarget.tagName) + ‘<br/>‘);
    });

    node.addEventListener(‘click‘, function (event) {
        if (event.currentTarget != event.target) {
            $(‘#EventListing ‘).append(‘Capture ‘ +  (event.currentTarget.id || event.currentTarget.tagName) + ‘ <br/>‘);
        }
    }, true);
}

View this on JSFiddle

Fiddle Code Explanation
The code starts by grabbing all nodes in the window. After getting a handle to all nodes, the code loops through the each node and attaches a click handler to each element. Event though only the button can invoke a click event by default, the click event still follows the expected capture (down) and bubbling (up) event flow. The addEventListener with the true parameter is the one setting up the capture listener, and the one without the extra parameter sets the bubbling listener.

Most modern libraries use the bubble phase for listener handling over the capture phase. Browsers include a way to manage how high we want the event to bubble. An event handler can call stopPropagation to tell the event to cease bubbling up the DOM. There is a second option called stopImmediatePropagation. This method stops the bubbling, and will also stop any other listeners for this event on this element from firing. However, be careful when stopping propagation since you don’t really know if there is anything else up the DOM that might want to be aware of the event.

There is a third function worth knowing that can be called to control how elements react to events. All modern browsers support the preventDefault function. This function prevents the browser from using its native operations to handle the event. A common use case is the link. Using links to perform UI operations is a common practice. However, we don’t want that link to try activating the regular link function of opening the page to a new page. Using preventDefault stops the browser from trying to follow an href tag.

There are other delegation methods to consider as well. One worth mentioning here is the pub/sub model. The publication/subscription model, also called a radio model, involves two participants. Usually, the two participants are not closely connected in the DOM, and may actually be derived from sibling containers. One could put a listener on the element they both ultimately descend from, but if the shared ancestor element is very high then you could end up listening for too many events at that level and create the dreaded monolith mentioned earlier. Also, there may be logically or architectural reasons to keep the two elements separate.

The Pub/Sub model also opens the opportunity to create custom events. The pub/sub model works by sending a message out from one element and traveling up, and sometimes down, the DOM telling all elements along the way that the event happened. jQuery uses the trigger function to pass events up the DOM as illustrated in the fiddle below.

<br />
<div id="container" style="border: 1px solid black; width: 100px; padding: 20px">
    <button id="button2">Trigger Me</button>
    <div id="insertText" style="padding: 10px;"></div>
</div>
<br/>
<div id="EventListing"></div>
$(‘#container‘).on(‘myCustomEvent‘, function (e, data) {
    $(‘#insertText‘).append(data);
});

$(‘#button2‘).click(function () {
    $(‘#button2‘).trigger(‘myCustomEvent‘, [‘I triggered‘]);
});

Fiddle Code Explanation
The first clause, $(‘#container’), sets a listener for the myCustomEvent event on the element. The second clause adds a click listener on the $(‘button2’) element. When the button is clicked it triggers the myCustomEvent which bubbles up the DOM.

The are several benefits of using event delegation to manage the event flow. One of the biggest is performance. Every listener attached to an element takes up some memory. If there are only a few listeners on a page then the difference won’t be noticed. However, if you have a listener on every cell of a 50 row 5 column table then your web application may begin to slow down. In the interest of making an application as fast as possible it is best to keep memory use as low as possible.

Using event delegation can reduce the number of listeners from many to a few. Placing a listener on a container above the elements firing the event means only needing one listener. The drawback to this approach is that the listener at the parent container may need to examine the event to choose the correct operation, whereas a listener on the element itself would not. The impact of that extra processing is much less than the impact of too many listeners in memory.

Fewer listeners and fewer points of DOM interaction make for easier maintenance. One listener at a container level can handle multiple different event operations. This is not an excuse for a monolithic function of titanic proportions. It is an easy way to manage related events that often perform related functions or need to share data.

If a parent container is listening then individual operations performed inside that container don’t have to add or remove listeners on their own. Operations like dynamic buttons and elements are extremely common with the increased use of single page applications. Something as simple as adding a button dynamically to a section can create a potential performance block for your application. Without proper event delegation it becomes necessary to manually add listeners to each new button, and if each listener is not cleaned up properly, it can potentially cause memory leaks. The browser does not clear the page, and therefore memory, in a single page application so everything that is not cleaned from memory properly can stick around. These fragments in memory drag down the performance of your application, like a great sponge that continues to absorb memory growing heavier and bigger and never releasing the pent-up memory.

When adding interaction to your pages, do yourself (and the person maintaining your code in the future) a favor, and carefully consider which element really needs to be listening.

Additional Articles Worth Reading
NCZOnline.com – The technical blog of Nicholas Zakas.http://www.nczonline.net/blog/2009/06/30/event-delegation-in-javascript/

Explain how this works in JavaScript
The “this” keyword in JavaScript is a commonly used method to refer to the code’s current context.

  • If “this” has not been set to anything then it defaults to the global object, which is usually Window.
  • If a function is running on an in-line function, such as an event listener, then “this” will refer to the source of the function. For example, when setting a click handler for a button, “this” will refer to the button inside the anonymous function.
  • If a function is a constructor for an object, then this will refer to the new object.
  • If a function is being defined on an object, then when invoked on the object, “this” will refer to the object.

In a world of asynchronous programming and the helpful existence of promises, it is easy for “this” to change in the course of one feature’s operation. One trick to keep a handle on the context that started the operation is to set it to a variable inside a closure. When you call a function where context changes, like setTimeout, you will still be able to reference the object you need through that variable.

The other way one can manipulate “this” is through the use of call, apply, and bind. All three of these methods are used to invoke a function with a specific context of “this”. Instead of relying on the browser operation to figure out what “this” is, you can tell the code to use the object you are proposing. Call, apply, and bind can be pretty sophisticated in their own right and deserve their own writeup. We will address them in a future installment. An example of the many changing ways of “this” is below:

<div id="appendHere"></div>
<button id="clickMe">Click Me</button>
var div = $(‘#appendHere‘);

$(‘#clickMe‘).on(‘click‘, function () {
    var that = this;
    div.append(checkForWindow(this));

    setTimeout(function () {
        div.append(checkForWindow(this));
        div.append(‘<strong>that</strong> is the ‘ + that.tagName + ‘<br/>‘);
    }, 300);
});

Fiddle Code Explanation
When the button is initially clicked, the this value is output to a div. Since click operates from the button context, “this” is the button. Using setTimeout causes the context to change to the Window. When “this” is called in the timeout function is, “this” reverts to the global context. You will notice we set a variable called “that” which we set initially to the “this” context. When invoked in the setTimeout, that still refers to the original “this”.

Event delegation and “this” are important features of modern JavaScript. Understanding how they work are critical to successful development, and almost certainly necessary to understand to get that peach position of a JavaScript Engineer.

JavaScript Interview Questions: Event Delegation and This

标签:

原文地址:http://www.cnblogs.com/duhuo/p/5572716.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!