search
HomeWeb Front-endJS TutorialHow does the JQuery each() function optimize the performance of looping DOM structures_jquery

If you only stay at the level of using jQuery without knowing its specific implementation, it is really easy to cause problems. This is why I haven't been very fond of using jQuery recently. The API settings of this framework are suspected of misleading people into going astray.

Copy code The code is as follows:

$.fn.beautifyTable = function(options) {
//Define the default configuration items, and then override them with options
return this.each(function() {
var table = $(this),
tbody = table.children('tbody'),
tr = tbody.children('tr'),
th = tbody.children('th'),
td = tbody.children('td');
//Single content class
table.addClass(option.tableClass);
th.addClass(options.headerClass); //1
td.addClass(options.cellClass); //2
//Odd and even rows class
tbody.children('tr:even').addClass(options.evenRowClass); //3
tbody.children('tr:odd').addClass(options.oddRowClass); //4
//Alignment
tr.children('th,td').css('text-align', options.align); //5
//Add mouse hover
tr. bind('mouseover', addActiveClass); //6
tr.bind('mouseout', removeActiveClass); //7
//Click to change color
tr.bind('click', toggleClickClass); //8
});
};

In general, this code is good, the ideas are clear, the logic is clear, and what you want to do is clearly explained through comments. But according to the author, when there are 120 rows in the table, IE has already reflected that the script running time is too long. Obviously from the performance point of view, the efficiency of this function is not high, or even extremely low.

So, we started to analyze from the code level. This is a standard jQuery plug-in function. There is a typical code in the form of return this.each(function( ) { .. };); If the author didn't just follow the script without thinking when he wrote this code, he should have realized what a function of jQuery did.

To put it simply, most of the functions under jQuery.fn are a call to each. The so-called each naturally traverses the selected elements and performs a specified operation on an element. . So take a look at the above code and see how many traversals have been performed. Let’s assume that only 120 rows are selected, each row has 6 columns, plus 1 row of headers:
Traverse th, add headerClass, the number of elements is 6.
Traverse td, add cellClass, the number of elements is 6*120=720.
To find the odd number from all tr, you need to traverse all tr ​​once, and the number of elements is 120.
Traverse the odd number of tr, add evenRowClass, the number of elements is 120/2=60.
To find the even number from all tr, you need to traverse all tr ​​once, and the number of elements is 120.
Traverse the even number of tr, add oddRowClass, the number of elements is 120/2=60.
Traverse all th and td, add text-align, the number of elements is 120*6 6=726.
Traverse all tr, add mouseover event, the number of elements is 120.
Traverse all tr, add mouseout event, the number of elements is 120.
Traverse all tr, add click event, the number of elements is 120.
For convenience, we simply assume that accessing an element during traversal takes 10ms. So how much time does this function take in total? This function encountered a total of 2172 elements and took 21720ms, or 21 seconds. Obviously IE should indeed report that the script took too long.

Now that we know the reason for the low efficiency, we need to fundamentally solve it. Naturally, we have to find ways to merge the loops. At first glance, according to the numbers in the comments in the code above, at least the following points can be merged:
3 and 4 can be combined into one cycle, from 120 60 120 60 to 120, a reduction of 240. 1, 2 and 5 can be combined into one cycle, from 6 720 726 to 726, a reduction of 726. 6. 7 and 8 can be combined into one cycle, changing from 120 120 120 to 120, which is a reduction of 240. Further, 3, 4 and 6, 7, 8 can be combined into one cycle, which continues to reduce by 120. Cumulatively, we have reduced a total of 240 726 240 120 = 1326 element operations, totaling 13260ms. After optimization, our function time consumption becomes 21720-13260=8460ms, which is 8s.
You may have a question here. From the structure of the table, all th and td elements must be within tr, so why not put the three-step cycle of 1, 2, and 5 into tr as well? In the loop, forming a nested loop, wouldn't it be faster?
There are two main reasons why this is not done here:
First, no matter where you place 1, 2, and 5, it will not reduce one access to all th and td elements.
On the other hand, the selector $('th, td') will be translated into two calls to the getElementsByTagName function in sizzle, the first time to get all th, the second time to get all td, and then collect them of merger. Since getElementsByTagName is a built-in function, it can be considered that this function does not have a loop, that is, the complexity is O(1). The merging of the same collection uses the related function of Array, which is an operation on memory, and the complexity is also O(1). ).

On the contrary, if the selector $('th, 'td) is used in the loop of tr elements, getElementsByTagName will be called twice on the tr element, because no matter which element the function is called on , the function execution time is the same, so when used when looping tr, there are 119*2 more function calls, and the efficiency does not increase but decreases.
It can be seen that the basic knowledge of sizzle selector is also a very important aspect to help optimize jQuery code.
Don’t let javascript do everything.

According to the previous basic optimization, the time has been reduced from 21 seconds to 8 seconds, but the number of 8 seconds is obviously unacceptable.
Further analysis of our code shows that in fact, loop traversal is at the language level, and its speed should be quite fast. The operations performed on each element are functions provided by jQuery. Compared with traversal, they take up most of the resources. If it takes 10ms to access elements during traversal, to put it bluntly, executing an addClass consumes at least 100ms.

Therefore, in order to further optimize efficiency, we have to start by reducing the operations on elements. After carefully reviewing the code, I found that this function has a lot of modifications to the style, at least including:
Add class to all th.
Add class to all td.
Add class to the odd and even lines of tr.
Add a text-align style to all th and td.
In fact, we know that CSS itself has a descendant selector, and the browser's native parsing of CSS is much more efficient than letting JavaScript add classes to elements one by one.

So, if CSS is controllable, then this function should not have the two configuration items headerClass and cellClass, but should be configured in CSS as much as possible:
Copy code The code is as follows:

.beautiful-table th { /* content of headerClass*/ }
.beautiful -table td { /* content of cellClass*/ }

Furthermore, for the odd-even row style of tr, you can use the nth-child pseudo-class to implement it in some browsers. In this regard, you can Use feature detection to add styles using addClass only in browsers that don't support this pseudo-class. Of course, if you just want to optimize the IE series, you can ignore this item.

For the detection of nth-child pseudo-class, you can use the following idea: create a stylesheet, and then create a rule, such as #test span:nth-child (odd) { display: block; } . Create the corresponding HTML structure, a div with the id test, and place 3 spans inside.

Add stylesheet and div to the DOM tree. Check the runtime display style of the 1st and 3rd span. If it is block, it indicates that the pseudo-class is supported. Delete the stylesheet and div you created, and don’t forget to cache the results of the probe. Finally, adding text-align styles to all th and td elements can also be optimized through CSS. Since you don’t know which align is being added, write a few more styles:
Copy the code The code is as follows:

/* CSS styles*/
.beautiful-table-center th,.beautiful-table-center td { text-align: center !important; }
.beautiful-table-rightright th, .beautiful-table-rightright td { text-align: rightright !important; }
.beautiful-table-left th,.beautiful-table-left td { text-align: left !important; }
/* javascript */
table.addClass('beautiful-table-' options.align);

Of course, the optimization mentioned above is based on having control over CSS. , what should we do if we have no access to CSS styles, for example, this is a general plug-in function that will be used by a third party that is completely uncontrollable? It’s not completely impossible:
Find all the CSS rules in the page, such as document.styleSheets. Traverse all the rules and take out the headerClass, cellClass, etc. in the configuration items. Extract all the styles in the several classes you need, and then assemble them into a new selector yourself, such as beautiful-table th. Use the created selector to generate a new stylesheet and add it to the DOM tree. Then just add the beautiful-table class to the table and you're done.

Of course, the above approach is actually quite time-consuming. After all, you have to traverse the stylesheet and create the stylesheet. Whether it is of great help to improve efficiency will have different effects depending on the size of the page. Whether to use it depends on the specific needs of the function designer. Here is a strategy.

In general, by executing as little javascript as possible and handing more styling tasks to CSS, the browser's rendering engine will complete it, and this function can be further optimized. Assume that for If the call to addClass and css takes 100ms, this optimization directly eliminates the original 120 726 = 846 operations and saves 84600ms of time (of course it is an exaggeration, but in terms of the consumption of the entire function, this is really a lot big piece).

This article only wants to optimize the various implementation levels of jQuery. It only involves the analysis, detailed introduction and optimization direction of the entire running process of jQuery, and does not mention some basic basics. Optimization methods, such as: first remove the entire table from the DOM tree, and then put it back into the DOM after completing all operations to reduce repaint. Change mouseover and mouseout to mouseenter and mouseleave to reduce the execution of repeated event functions caused by the correct event bubbling model. For the selection of simple elements such as th and td, priority is given to using the native getElementsByTagName to eliminate the time of sizzle analyzing the selector.

Finally, this article just wants to explain that for front-end developers, although the browser may be a black box, many frameworks, tools, and libraries are open. If you can understand it to a certain extent before using it, , will definitely help improve personal technology and optimize the quality of the final product. "Knowing it but not knowing why" is a very taboo situation.
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
jquery实现多少秒后隐藏图片jquery实现多少秒后隐藏图片Apr 20, 2022 pm 05:33 PM

实现方法:1、用“$("img").delay(毫秒数).fadeOut()”语句,delay()设置延迟秒数;2、用“setTimeout(function(){ $("img").hide(); },毫秒值);”语句,通过定时器来延迟。

jquery怎么修改min-height样式jquery怎么修改min-height样式Apr 20, 2022 pm 12:19 PM

修改方法:1、用css()设置新样式,语法“$(元素).css("min-height","新值")”;2、用attr(),通过设置style属性来添加新样式,语法“$(元素).attr("style","min-height:新值")”。

axios与jquery的区别是什么axios与jquery的区别是什么Apr 20, 2022 pm 06:18 PM

区别:1、axios是一个异步请求框架,用于封装底层的XMLHttpRequest,而jquery是一个JavaScript库,只是顺便封装了dom操作;2、axios是基于承诺对象的,可以用承诺对象中的方法,而jquery不基于承诺对象。

jquery怎么在body中增加元素jquery怎么在body中增加元素Apr 22, 2022 am 11:13 AM

增加元素的方法:1、用append(),语法“$("body").append(新元素)”,可向body内部的末尾处增加元素;2、用prepend(),语法“$("body").prepend(新元素)”,可向body内部的开始处增加元素。

jquery中apply()方法怎么用jquery中apply()方法怎么用Apr 24, 2022 pm 05:35 PM

在jquery中,apply()方法用于改变this指向,使用另一个对象替换当前对象,是应用某一对象的一个方法,语法为“apply(thisobj,[argarray])”;参数argarray表示的是以数组的形式进行传递。

jquery怎么删除div内所有子元素jquery怎么删除div内所有子元素Apr 21, 2022 pm 07:08 PM

删除方法:1、用empty(),语法“$("div").empty();”,可删除所有子节点和内容;2、用children()和remove(),语法“$("div").children().remove();”,只删除子元素,不删除内容。

jquery怎么去掉只读属性jquery怎么去掉只读属性Apr 20, 2022 pm 07:55 PM

去掉方法:1、用“$(selector).removeAttr("readonly")”语句删除readonly属性;2、用“$(selector).attr("readonly",false)”将readonly属性的值设置为false。

jquery on()有几个参数jquery on()有几个参数Apr 21, 2022 am 11:29 AM

on()方法有4个参数:1、第一个参数不可省略,规定要从被选元素添加的一个或多个事件或命名空间;2、第二个参数可省略,规定元素的事件处理程序;3、第三个参数可省略,规定传递到函数的额外数据;4、第四个参数可省略,规定当事件发生时运行的函数。

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 Tools

DVWA

DVWA

Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

SecLists

SecLists

SecLists is the ultimate security tester's companion. It is a collection of various types of lists that are frequently used during security assessments, all in one place. SecLists helps make security testing more efficient and productive by conveniently providing all the lists a security tester might need. List types include usernames, passwords, URLs, fuzzing payloads, sensitive data patterns, web shells, and more. The tester can simply pull this repository onto a new test machine and he will have access to every type of list he needs.

Dreamweaver Mac version

Dreamweaver Mac version

Visual web development tools

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment