Chosen dropdown speed for hundreds of dropdowns

This doesn't come up that often (because it's often poor UI practice to have a bazillion dropdowns on a page), but thought I'd write up a post about it.

When trying to apply Chosen to a page with hundreds of dropdowns, you may notice it takes forever to render.  This is because of the way jQuery works.  When you use a selector on elements and call .chosen() on it, jQuery will internally call the .chosen() method on each select, which causes the DOM to be manipulated for each select, and causes the browser to have to recalculate styling after each select is processed.

<div id="selectArea"></div>
var testString = "";
for(var i = 0; i < 800; i++)
    testString += "<select name='crapola" + i + "'><option>" + i + "</option></select><br/>";

$("#selectArea").html(testString);
$("select").chosen();

What does this mean speed-wise?  For rendering 800 dropdowns, it's roughly 1.7 seconds on a MacBook Pro with an i7 processor.  That's too long to require the user to wait IMO.  You can test the results on your own machine using this fiddle:

To get around this, you can render your dropdowns in an off-page node, and append them back in once Chosen has done it's stuff.  An example of this code is here:

<div id="selectArea"></div>
var testString = "";
for(var i = 0; i < 800; i++)
    testString += "<select name='crapola" + i + "'><option>" + i + "</option></select><br/>";

var el = $("<div></div>").html(testString);
$("select", el).chosen({width: '100%'});
$("#selectArea").append($(el).children());
You'll notice this performs substantially faster (between .5 and .7 seconds total) to render the dropdowns.  Since the dropdowns are rendered outside of the DOM, the browser doesn't need to re-process the layout for each dropdown.  When we append the selects back into the DOM, it only has to process the layout once, and since it's an append, the events on the Chosen elements are preserved.  In fact, this pseudo "shadow DOM" is similar to how UI frameworks like React operate.

As I stated from the beginning of this post, you may want to re-think your UI if you have a ton of dropdowns on your page...but if you're in a pinch and need immediate performance improvements, you can apply this method.  It should also work with other control frameworks like Select2 and Semantic UI.