How jQuery selects elements using Sizzle

Neeraj Singh

By Neeraj Singh

on February 15, 2010

jQuery's motto is to select something and do something with it. As jQuery users, we provide the selection criteria and then we get busy with doing something with the result. This is a good thing. jQuery provides extremely simple API for selecting elements. If you are selecting ids then just prefix the name with '#'. If you are selecting a class then prefix it with '.'.

However it is important to understand what goes on behind the scene for many reasons. And one of the important reasons is the performance of Rich Client. As more and more web pages use more and more jQuery code, understanding of how jQuery selects elements will speed up the loading of pages.

What is a selector engine

HTML documents are full of html markups. It's a tree like structure. Ideally speaking all the html documents should be 100% valid xml documents. However if you miss out on closing a div then browsers forgive you ( unless you have asked for strict parsing). Ultimately browser engine sees a well formed xml document. Then the browser engine renders that xml on the browser as a web page.

After a page is rendered then those xml elements are referred as DOM elements.

JavaScript is all about manipulating this tree structure (DOM elements) that browser has created in memory. A good example of manipulating the tree is command like the one give below which would hide the header element. However in order to hide the header tag, jQuery has to get to that DOM element.

1jQuery("#header").hide();

The job of a selector engine is to get all the DOM elements matching the criteria provided by a user. There are many JavaScript selector engines in the market. Paul Irish has a nice article about JavaScript CSS Selector Engine timeline .

Sizzle is JavaScript selector engine developed by John Resig and is used internally in jQuery. In this article I will be showing how jQuery in conjunction with Sizzle finds elements.

Browsers help you to get to certain elements

Browsers do provide some helper functions to get to certain types of elements. For example if you want to get DOM element with id header then document.getElementById function can be used like this

1document.getElementById("header");

Similarly if you want to collect all the p elements in a document then you could use following code .

1document.getElementsByTagName("p");

However if you want something complex like the one given below then browsers were not much help. It was possible to walk up and down the tree however traversing the tree was tricky because of two reasons: a) DOM spec is not very intuitive b) Not all the browsers implemented DOM spec in same way.

1jQuery("#header a");

Later selector API came out.

The latest version of all the major browsers support this specification including IE8. However IE7 and IE6 do not support it. This API provides querySelectorAll method which allows one to write complex selector query like document.querySelectorAll("#score>tbody>tr>td:nth-of-type(2)" .

It means that if you are using IE8 or current version of any other modern browser then jQuery code jQuery('#header a') will not even hit Sizzle. That query will be served by a call to querySelectorAll .

However if you are using IE6 or IE7, Sizzle will be invoked for jQuery('#header a'). This is one of the reasons why some apps perform much slower on IE6/7 compared to IE8 since a native browser function is much faster then elements retrieval by Sizzle.

Selection process

jQuery has a lot of optimization baked in to make things run faster. In this section I will go through some of the queries and will try to trace the route jQuery follows.

$('#header')

When jQuery sees that the input string is just one word and is looking for an id then jQuery invokes document.getElementById . Straight and simple. Sizzle is not invoked.

$('#header a') on a modern browser

If the browser supports querySelectorAll then querySelectorAll will satisfy this request. Sizzle is not invoked.

$('.header a[href!="hello"]') on a modern browser

In this case jQuery will try to use querySelectorAll but the result would be an exception (at least on firefox). The browser will throw an exception because the querySelectorAll method does not support certain selection criteria. In this case when browser throws an exception, jQuery will pass on the request to Sizzle. Sizzle not only supports css 3 selector but it goes above and beyond that.

$('.header a') on IE6/7

On IE6/7 querySelectorAll is not available so jQuery will pass on this request to Sizzle. Let's see a little bit in detail how Sizzle will go about handling this case.

Sizzle gets the selector string '.header a'. It splits the string into two parts and stores in variable called parts.

1parts = [".header", "a"];

Next step is the one which sets Sizzle apart from other selector engines. Instead of first looking for elements with class header and then going down, Sizzle starts with the outer most selector string. As per this presentation from Paul Irish YUI3 and NWMatcher (Link is not available) also go right to left.

So in this case Sizzle starts looking for all a elements in the document. Sizzle invokes the method find. Inside the find method Sizzle attempts to find out what kind of pattern this string matches. In this case Sizzle is dealing with string a .

Here is snippet of code from Sizzle.find .

1match: {
2     ID: /#((?:[\w\u00c0-\uFFFF-]|\\.)+)/,
3     CLASS: /\.((?:[\w\u00c0-\uFFFF-]|\\.)+)/,
4     NAME: /\[name=['"]*((?:[\w\u00c0-\uFFFF-]|\\.)+)['"]*\]/,
5     ATTR: /\[\s*((?:[\w\u00c0-\uFFFF-]|\\.)+)\s*(?:(\S?=)\s*(['"]*)(.*?)\3|)\s*\]/,
6     TAG: /^((?:[\w\u00c0-\uFFFF\*-]|\\.)+)/,
7     CHILD: /:(only|nth|last|first)-child(?:\((even|odd|[\dn+-]*)\))?/,
8     POS: /:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^-]|$)/,
9     PSEUDO: /:((?:[\w\u00c0-\uFFFF-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/
10},

One by one Sizzle will go through all the match definitions. In this case since a is a valid tag, a match will be found for TAG. Next following function will be called.

1TAG: function(match, context){
2     return context.getElementsByTagName(match[1]);
3}

Now result consists of all a elements.

Next task is to find if each of these elements has a parent element matching .header. In order to test that a call will be made to method dirCheck. In short this is what the call looks like.

1dir = 'parentNode';
2cur = ".header"
3checkSet = [ a www.neeraj.name, a www.google.com ] // object representation
4dirCheck( dir, cur, doneName, checkSet, nodeCheck, isXML )

dirCheck method returns whether each element of checkSet passed the test. After that a call is made to method preFilter. In this method the key code is below

1if ( not ^ (elem.className && (" " + elem.className + " ").replace(/[\t\n]/g, " ").indexOf(match) >= 0) )

For our example this is what is being checked

1" header ".indexOf(" header ");

This operation is repeated for all the elements on the checkSet. Elements not matching the criteria are rejected.

More methods in Sizzle

if you dig more into Sizzle code you would see functions defined as +, > and ~ . Also you will see methods like

1enabled: function(elem) {
2          return elem.disabled === false && elem.type !== "hidden";
3    },
4disabled: function(elem) {
5          return elem.disabled === true;
6     },
7checked: function(elem) {
8          return elem.checked === true;
9     },
10selected: function(elem) {
11          elem.parentNode.selectedIndex;
12          return elem.selected === true;
13     },
14parent: function(elem) {
15          return !!elem.firstChild;
16     },
17empty: function(elem) {
18          return !elem.firstChild;
19     },
20has: function(elem, i, match) {
21          return !!Sizzle( match[3], elem ).length;
22     },
23header: function(elem) {
24          return /h\d/i.test( elem.nodeName );
25     },
26text: function(elem) {
27          return "text" === elem.type;
28     },
29radio: function(elem) {
30          return "radio" === elem.type;
31     },
32checkbox: function(elem) {
33          return "checkbox" === elem.type;
34     },
35file: function(elem) {
36          return "file" === elem.type;
37     },
38password: function(elem) {
39          return "password" === elem.type;
40     },
41submit: function(elem) {
42          return "submit" === elem.type;
43     },
44image: function(elem) {
45          return "image" === elem.type;
46     },
47reset: function(elem) {
48          return "reset" === elem.type;
49     },
50button: function(elem) {
51          return "button" === elem.type || elem.nodeName.toLowerCase() === "button";
52     },
53input: function(elem) {
54          return /input|select|textarea|button/i.test(elem.nodeName);
55     }
56},
57
58first: function(elem, i) {
59          return i === 0;
60     },
61last: function(elem, i, match, array) {
62          return i === array.length - 1;
63     },
64even: function(elem, i) {
65          return i % 2 === 0;
66     },
67odd: function(elem, i) {
68          return i % 2 === 1;
69     },
70lt: function(elem, i, match) {
71          return i < match[3] - 0;
72     },
73gt: function(elem, i, match) {
74          return i > match[3] - 0;
75     },
76nth: function(elem, i, match) {
77          return match[3] - 0 === i;
78     },
79eq: function(elem, i, match) {
80          return match[3] - 0 === i;
81     }

I use all these methods almost daily and it was good to see how these methods are actually implemented.

Performance Implications

Now that I have little more understanding of how Sizzle works, I can better optimize my selector queries. Here are two selectors doing the same thing.

1$("p.about_me .employment");
2
3$(".about_me  p.employment");

Since Sizzle goes from right to left, in the first case Sizzle will pick up all the elements with the class employment and then Sizzle will try to filter that list. In the second case Sizzle will pick up only the p elements with class employment and then it will filter the list. In the second case the right most selection criteria is more specific and it will bring better performance.

So the rule with Sizzle is to go more specific on right hand side and to go less specific on left hand side. Here is another example.

1$(".container :disabled");
2
3$(".container input:disabled");

The second query will perform better because the right side query is more specific.

Stay up to date with our blogs. Sign up for our newsletter.

We write about Ruby on Rails, ReactJS, React Native, remote work,open source, engineering & design.