1

次のコードには、不適切な構文エラーがあります。おそらく、「for」か何かを使用しているからです。

$.when(
    for (var i=0; i < 5; i++) {
        $.getScript( "'" + someArr[i].fileName + ".js'");
    }
    $.Deferred(function( deferred ) {
              $( deferred.resolve );
    })
).done(function() {
    alert("done");
});

いくつかのスクリプトを呼び出そうとしていますが、trey がすべてロードされたら、アラートを表示したいと考えています。

4

2 に答える 2

4

変更を含むコメント付きの(ただしテストされていない)ソリューションは以下のとおりです

// When takes a promise (or list of promises), not a random string of javascript
$.when((function() {
    // First we need to define a self resolving promise to chain to
    var d = $.Deferred().resolve();

    for ( var i = 0; i < 5; i++ ) {

        // Trap the variable i as n by closing it in a function
        (function(n) {

            // Redefine the promise as chaining to itself
            d = d.then(function() {

                // You can *return* a promise inside a then to insert it into
                // the chain. $.getScript (and all ajax methods) return promises
                return $.getScript( someArr[n].fileName + '.js' );
            });

        // Pass in i (becomes n)
        }(i));
    }

    return d;

// self execute our function, which will return d (a promise) to when
}())).then(function() {

    // Note the use of then for this function. done is called even if the script errors.
    console.log( 'done' );
});

オプションがある場合、もっと簡単なものは

$.when(
    $.getScript( 'fileName1.js' ),
    $.getScript( 'fileName2.js' ),
    $.getScript( 'fileName3.js' ),
    $.getScript( 'fileName4.js' )
).then(function() {
    alert("done");
});
于 2013-06-09T08:25:02.563 に答える
1

私の理解が正しければ、次のように$.map()andを使用して、目的のコードを簡潔に記述できます。$.when.apply()

// First scan someArr, calling $.getScript() and building 
// an array of up to 5 jqXHR promises.
var promises = $.map(someArr, function(obj, index) {
    return (index < 5) ? $.getScript(obj.fileName + ".js") : null;
});
// Now apply the promises to $.when()
$.when.apply(null, promises).done(function() {
    alert("done");
});

注:$.when.apply(null, promises)は と同等です:

$.when(jqXHR0, jqXHR1, jqXHR2, jqXHR3, jqXHR4);

jqXHR0etc. は5 回の呼び出しで返さjqXHRれるオブジェクトです。$.getScript()

于 2013-06-09T09:28:39.637 に答える