Does jQuery do any kind of caching of “selectors”?

后端 未结 14 2007
挽巷
挽巷 2020-11-27 18:14

For example, will the first piece of code perform a full search twice, or is it smart enough to cache results if no DOM changes have occurred?

if ($(\"#navba         


        
相关标签:
14条回答
  • 2020-11-27 18:47

    jQuery doesn't, but there's the possibility of assigning to variables within your expression and then use re-using those in subsequent expressions. So, cache-ifying your example ...

    if ((cached = $("#navbar .heading")).text() > "") {
      cached.hide();
    }
    

    Downside is it makes the code a bit fuglier and difficult to grok.

    0 讨论(0)
  • 2020-11-27 18:48

    $.selectorCache() is useful:

    https://gist.github.com/jduhls/ceb7c5fdf2ae1fd2d613e1bab160e296

    Gist embed:

    <script src="https://gist.github.com/jduhls/ceb7c5fdf2ae1fd2d613e1bab160e296.js"></script>

    0 讨论(0)
  • 2020-11-27 18:52

    I don't think it does (although I don't feel like reading through three and a half thousand lines of JavaScript at the moment to find out for sure).

    However, what you're doing does not need multiple selectors - this should work:

    $("#navbar .heading:not(:empty)").hide();
    
    0 讨论(0)
  • 2020-11-27 18:55

    It's not so much a matter of 'does it?', but 'can it?', and no, it can't - you may have added additional matching elements to the DOM since the query was last run. This would make the cached result stale, and jQuery would have no (sensible) way to tell other than running the query again.

    For example:

    $('#someid .someclass').show();
    $('#someid').append('<div class="someclass">New!</div>');
    $('#someid .someclass').hide();
    

    In this example, the newly added element would not be hidden if there was any caching of the query - it would hide only the elements that were revealed earlier.

    0 讨论(0)
  • 2020-11-27 18:58

    Always cache your selections!

    It is wasteful to constantly call $( selector ) over and over again with the same selector.

    Or almost always... You should generally keep a cached copy of the jQuery object in a local variable, unless you expect it to have changed or you only need it once.

    var element = $("#someid");
    
    element.click( function() {
    
      // no need to re-select #someid since we cached it
      element.hide(); 
    });
    
    0 讨论(0)
  • 2020-11-27 19:01

    Check if this helps https://plugins.jquery.com/cache/

    Came across this as part of our regular project

    0 讨论(0)
提交回复
热议问题