在1页上进行多次imageLoaded调用,并确保在进行之前完成每个调用

时间:2013-08-19 20:37:02

标签: javascript jquery jquery-deferred

我的页面上有3个部分,其中包含大量不同大小的图像,我需要做的是确保在继续应用任何过渡等之前完全加载这3个部分图像中的每一个,例如淡化部分等等。

我想我知道我需要做什么,但我不确定是否执行它。我需要创建一个延迟对象,在完成解析延迟对象后监视每个调用,然后运行deferred.whendeferred.done方法,这听起来好像是对的吗?正如我所说,我只是不确定如何做到这一点?

我正在使用imagesLoaded插件,我的代码目前看起来像这样:

JS

    $(function () {


    var def1 = $.Deferred();
    var def2 = $.Deferred();
    var def3 = $.Deferred();
    var def = $.when(def1, def2, def3);


    $('.set1').imagesLoaded(function () {
        console.log('Set 1 ready');

        def1.resolve();
    });

    $('.set2').imagesLoaded(function () {
        console.log('Set 2 ready');

        def2.resolve();
    });

    $('.set3').imagesLoaded(function () {
        console.log('Set 3 ready');

        def3.resolve();
    });


    def.done(function () {
        console.log('ready');
    });

});

JS Fiddle http://jsfiddle.net/dkzrv/1/

1 个答案:

答案 0 :(得分:2)

$(function () {

function loadImages(selector) {
    var dfd = $.Deferred();

    /*
    ...do work to load images...
    if success,  dfd.resolve()/dfd.resolveWith(...)
    if failure,  dfd.reject()/dfd.rejectWith(...)
    to indicate progress, dfd.notify()/dfd.notifyWith(...)
    */

    $(selector).imagesLoaded(function () {
        var setResult = "dummy data";
        dfd.resolve(setResult);
    });

    /*
    If you return the dfd directly, 
    it can be canceled via .reject() from the outside.
    To allow outside canceling just return the dfd.
    */
    return dfd.promise();
}

//Run multiple deferreds in parallel and wait for all to complete with $.when
$.when(loadImages('.set1'), loadImages('.set2'), loadImages('.set3'))
    .done(function(set1Result, set2Result, set3Result) {
        //All resolved
    })
    .fail(function() {
        //One or more failed

        //If you want to know which one, 
        //you have to save a reference to each of 
        //the loadImages calls and determine through 
        //their individual .failure()'s            
    });

});

http://jsfiddle.net/dkzrv/4/

$.when()函数是一个将多个延迟包装为一个的实用程序。因为它返回了自己的延迟,所以您可以调用.done()fail()并将其视为任何其他延迟的。

为了将来参考,.then()通常用于控制串行任务,$.when()用于并行任务。

loadImages()函数是将loadImages插件包装在延迟中以使其更通用的地方。