tags:

views:

1076

answers:

3

If I have an array of image filenames,

var preload = ["a.gif", "b.gif", "c.gif"];

and I want to preload them in a loop, is it necessary to create an image object each time? Will all the methods listed below work? Is one better?

A.

var image = new Image();
for (i = 0; i < preload.length; i++) {
    image.src = preload[i];
}

B.

var image;
for (i = 0; i < preload.length; i++) {
    image = new Image();
    image.src = preload[i];
}

C.

var images = [];
for (i = 0; i < preload.length; i++) {
    images[i] = new Image();
    images[i].src = preload[i];
}

Thanks!

+4  A: 

EDIT:

Actually, I just put it to the test, and Method A does not work as intended:

Check it out: http://www.rootspot.com/stackoverflow/preload.php

If you click on the 2nd image when the page is finished loading, it should appear instantaneously because it was preloaded, but the first one doesn't because it didn't have time to load before the source was changed. Interesting. With this new development, I'd just go ahead and use Method C.

Paolo Bergantino
I have two (probably dumb) questions to add to the OP's: Wouldn't Method A mean each download has to finish before the next one starts? Does C offer an advantage by not waiting for each download to finish?
Andrew
None of the methods wait for the download to finish -- they're all just setting a property of the Image object. The differences are that A uses a single image several times, B creates separate Images without saving references to all of them, and C both creates an image per preload AND saves the reference.
ojrac
Thanks for the clarification.
Andrew
+1  A: 

If I remember correctly I had issues with the A solution not actually pre-loading in a browser. I'm not 100% sure though.

Since you have them all coded out, why not test them, you could even profile them to see which is fastest.

Ben S
+2  A: 

I've always used the following code, which I've also seen used by many other sites, so I would make the assumption that this method is most performant and is akin to your method c

function MM_preloadImages() { //v3.0
    var d=document; 
    if(d.images){ 
        if(!d.MM_p) d.MM_p=new Array();
         var i,j=d.MM_p.length,a=MM_preloadImages.arguments; 
         for(i=0; i<a.length; i++)
             if (a[i].indexOf("#")!=0) { 
                 d.MM_p[j]=new Image; d.MM_p[j++].src=a[i];
             }
    }
}

I would recommend profiling them all with something like firebug

Russ Cam