「Promise」を実装するライブラリを作成しました。この概念は、複雑な非同期の問題を解決するだけでなく、テストにも役立つことがわかりました。
いくつかの非同期メソッドがあり、完了ハンドラーが呼び出されるかどうか、および期待される結果が返されるかどうかを確認したいとします。おまけとして、テスターが完了ハンドラーを待機するタイムアウトを設定することもできます。有効期限が切れた場合、テストは失敗するはずです。
一般的な完了ハンドラー ブロック:
typedef void (^completion_block_t)(id result);
あなたのテスト、ループベースで実行される可能性のある非同期メソッド:
- (void) asyncFooWithCompletion:(completion_block_t)completionHandler;
テストは次のようになります。
- (void) testAsyncFooWithCompletion
{
// Your test - executing on the main thread.
RXPromise* handlerPromise = [RXPromise new];
[foo asyncFooWithCompletion:^(id result){
// possibly perform assertions
...
if (result is expected) {
// expected in this test scenario
// resolve promise with a value indicating success:
[handlerPromise fulfillWithValue:@"OK"];
}
else {
// unexpected in this test scenario
// resolve promise with an error:
[handlerPromise rejectWithReason:@"Unexpected result"];
}
}];
注: asyncFooWithCompletion:
■ ワークロードは、対応するスレッド (メイン スレッドなど) で実行される実行ループでスケジュールできます。
完了ハンドラーは、同じ実行ループ (メイン スレッドなど) で実行することもできます。
// Set a timeout. If the timeout expires before the handler get called,
// the promise will be resolved with a "timeout error":
[handlerPromise setTimeout:5.0];
// Register handlers, which get called when _handlerPromise_ will be resolved.
// We did perform a all assertions in the completion handler. Thus here,
// just catch unexpected failures - including a timeout:
[handlerPromise.thenOn(dispatch_get_main_queue(), nil,
^id(NSError* error) {
// We are on the main thread
ADD_FAILURE() << [[error description] UTF8String];
return error;
})
runLoopWait]; // wait on the current run loop.
// if we reach here, assertions have been executed (on the main thread)
// and all handlers have been returned.
} // end test