3
3

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

More than 5 years have passed since last update.

TypeScript: AsyncGeneratorの例外ハンドリング

Posted at

前の投稿で「AsyncGenerator使う方法」について紹介しました。その投稿では触れなかった、AsyncGeneratorの例外ハンドリングについてこの投稿では説明したいと思います。

AsyncGeneratorで例外が発生するとUnhandledPromiseRejectionWarningになる

次のように、イテレーション中に例外が発生するケースがあるとします:

async function* numbers(): AsyncGenerator<number> {
  yield 1
  yield 2
  await throwError()
  yield 3
}

async function throwError() {
  throw new Error('Something wrong')
}

このnumbers()ジェネレータ関数をfor awaitでループするコードは次のようになりますが、

async function main() {
  for await (const number of numbers()) {
    console.log(number)
  }
}

main()

このコードをNode.jsでそのまま実行すると、throwError()の行に到達したタイミングでUnhandledPromiseRejectionWarningが発生してしまいます:

1
2
(node:11942) UnhandledPromiseRejectionWarning: Error: Something wrong

AsyncGeneratorで発生する例外をキャッチする方法

この例外をキャッチするには、for awaittry-catchで囲むことで例外をキャッチできるようになります:

async function main() {
  try {
    for await (const number of numbers()) {
      console.log(number)
    }
  } catch (e) {
    console.log(e.message)
  }
}

実行結果:

1
2
Something wrong
3
3
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
3
3

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?