web-dev-qa-db-ja.com

すべての約束が解決するまで待つ

したがって、長さが不明な複数のプロミスチェーンがある状況があります。すべてのチェーンが処理されたときにアクションを実行したい。それも可能ですか?以下に例を示します。

app.controller('MainCtrl', function($scope, $q, $timeout) {
    var one = $q.defer();
    var two = $q.defer();
    var three = $q.defer();

    var all = $q.all([one.promise, two.promise, three.promise]);
    all.then(allSuccess);

    function success(data) {
        console.log(data);
        return data + "Chained";
    }

    function allSuccess(){
        console.log("ALL PROMISES RESOLVED")
    }

    one.promise.then(success).then(success);
    two.promise.then(success);
    three.promise.then(success).then(success).then(success);

    $timeout(function () {
        one.resolve("one done");
    }, Math.random() * 1000);

    $timeout(function () {
        two.resolve("two done");
    }, Math.random() * 1000);

    $timeout(function () {
        three.resolve("three done");
    }, Math.random() * 1000);
});

この例では、約束1、2、3の$q.all()を設定します。これらは、ランダムに解決されます。次に、1つと3つの終わりに約束を追加します。すべてのチェーンが解決されたときにallを解決する必要があります。このコードを実行したときの出力は次のとおりです。

one done 
one doneChained
two done
three done
ALL PROMISES RESOLVED
three doneChained
three doneChainedChained 

チェーンが解決するのを待つ方法はありますか?

105
jensengar

すべてのチェーンが解決されたら、すべてを解決したい。

確かに、最初のプロミスの代わりに各チェーンのプロミスをall()に渡すだけです:

$q.all([one.promise, two.promise, three.promise]).then(function() {
    console.log("ALL INITIAL PROMISES RESOLVED");
});

var onechain   = one.promise.then(success).then(success),
    twochain   = two.promise.then(success),
    threechain = three.promise.then(success).then(success).then(success);

$q.all([onechain, twochain, threechain]).then(function() {
    console.log("ALL PROMISES RESOLVED");
});
155
Bergi

受け入れられた答え は正しいです。 promiseに慣れていない人に少し詳しく説明する例を提供したいと思います。

例:

私の例では、コンテンツをレンダリングする前に、srcタグのimg属性を、使用可能な場合は別のミラーURLに置き換える必要があります。

var img_tags = content.querySelectorAll('img');

function checkMirrorAvailability(url) {

    // blah blah 

    return promise;
}

function changeSrc(success, y, response) {
    if (success === true) {
        img_tags[y].setAttribute('src', response.mirror_url);
    } 
    else {
        console.log('No mirrors for: ' + img_tags[y].getAttribute('src'));
    }
}

var promise_array = [];

for (var y = 0; y < img_tags.length; y++) {
    var img_src = img_tags[y].getAttribute('src');

    promise_array.Push(
        checkMirrorAvailability(img_src)
        .then(

            // a callback function only accept ONE argument. 
            // Here, we use  `.bind` to pass additional arguments to the
            // callback function (changeSrc).

            // successCallback
            changeSrc.bind(null, true, y),
            // errorCallback
            changeSrc.bind(null, false, y)
        )
    );
}

$q.all(promise_array)
.then(
    function() {
        console.log('all promises have returned with either success or failure!');
        render(content);
    }
    // We don't need an errorCallback function here, because above we handled
    // all errors.
);

説明:

AngularJSから docs

thenメソッド:

then(successCallback、errorCallback、notifyCallback)–約束が解決または拒否される時期に関係なく、結果が得られるとすぐに成功またはエラーコールバックのいずれかを非同期に呼び出す利用できます。コールバックは、単一引数で呼び出されます:結果または拒否理由。

$ q.all(約束)

複数のPromiseを単一のPromiseに結合し、すべての入力Promiseが解決されたときに解決されます。

promises paramは、promiseの配列にすることができます。

bind()について、詳細はこちら: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Function/bind

16
Hieu

最近この問題が発生しましたが、約束の数が不明です。 jQuery.map() を使用して解決しました。

function methodThatChainsPromises(args) {

    //var args = [
    //    'myArg1',
    //    'myArg2',
    //    'myArg3',
    //];

    var deferred = $q.defer();
    var chain = args.map(methodThatTakeArgAndReturnsPromise);

    $q.all(chain)
    .then(function () {
        $log.debug('All promises have been resolved.');
        deferred.resolve();
    })
    .catch(function () {
        $log.debug('One or more promises failed.');
        deferred.reject();
    });

    return deferred.promise;
}
3
SoniCue
0
Nikola Yovchev

「-非同期関数」で 「await」 を使用できます。

app.controller('MainCtrl', async function($scope, $q, $timeout) {
  ...
  var all = await $q.all([one.promise, two.promise, three.promise]); 
  ...
}

注:非非同期関数から非同期関数を呼び出して正しい結果を得ることができるかどうか、100%確信はありません。

つまり、これはWebサイトでは使用されないということです。しかし、負荷テスト/統合テストのために...多分。

サンプルコード:

async function waitForIt(printMe) {
  console.log(printMe);
  console.log("..."+await req());
  console.log("Legendary!")
}

function req() {
  
  var promise = new Promise(resolve => {
    setTimeout(() => {
      resolve("DARY!");
    }, 2000);
    
  });

    return promise;
}

waitForIt("Legen-Wait For It");
0
Flavouski