Event binding on dynamically created elements?
P粉440453689
2023-08-23 15:04:33
<p>I have some code where I loop through all the select boxes on the page and bind the <code>.hover</code> event to them to resize their width on <code> the mouse on/ Close </code>. </p>
<p>This happens when the page is ready and working properly. </p>
<p>The problem I'm having is that any select boxes added via Ajax or DOM after the initial loop don't have events bound to them. </p>
<p>I've found this plugin (jQuery Live Query Plugin), but before I use the plugin to add another 5k to my page, I wanted to see if anyone knows how to do it, either directly using jQuery Or through other options. </p>
jQuery.fn.on
has a good explanation in the documentation一个>.in short:
So, in the example below,
#dataTable tbody tr
must exist before generating code.If new HTML is injected into the page, it is best to attach event handlers using delegated events, as described below.
The advantage of delegated events is that they can handle events from descendant elements that are later added to the document. For example, if the table exists but rows are added dynamically using code, the following will handle it:
In addition to being able to handle events on descendant elements that have not yet been created, another advantage of delegated events is that they may reduce overhead when many elements must be monitored. On a data table with 1,000 rows intbody
The delegate event method (second code example) only attaches the event handler to one element, the, the first code example attaches handlers to 1,000 elements.
tbody
, and the event only needs to bubble up one level (from the clicked
trto
tbody).
Note: Delegated events do not work with SVG.
Starting with jQuery 1.7, you should use
jQuery.fn.on
with the selector parameter populated:illustrate:
This is called event delegation and it works as follows. This event is attached to the static parent (
staticAncestors
) of the element that should be handled. This jQuery handler is fired every time an event is fired on this element or one of its descendant elements. The handler then checks if the element that triggered the event matches your selector (dynamicChild
). When there is a match, your custom handler function is executed.Until then, the recommended method is to use
live()
:However,
live()
was deprecated in 1.7, replaced byon()
, and removed entirely in 1.9.live()
Signature:...can be replaced with the following
on()
signature:For example, if your page dynamically creates an element with the class name
dosomething
, you can bind that event to an already existing parent (which is the core of the event ) The problem here is that you need something existing to bind to, rather than binding to dynamic content) this can be (and the easiest option) isdocument
. But keep in mind thatdocument
may not be the most efficient option.Any parent that exists when the event is bound will do. For example
Applies to