プログラムを停止せずに完全なトレースバックを印刷する方法は?
エラーでプログラムを停止したくない場合は、try / exceptでそのエラーを処理する必要があります。
try:
do_something_that_might_error()
except Exception as error:
handle_the_error(error)
完全なトレースバックを抽出するにtraceback
は、標準ライブラリのモジュールを使用します。
import traceback
そして、かなり複雑なスタックトレースを作成して、完全なスタックトレースを取得できることを示します。
def raise_error():
raise RuntimeError('something bad happened!')
def do_something_that_might_error():
raise_error()
印刷
完全なトレースバックを印刷するには、次のtraceback.print_exc
メソッドを使用します。
try:
do_something_that_might_error()
except Exception as error:
traceback.print_exc()
どのプリント:
Traceback (most recent call last):
File "<stdin>", line 2, in <module>
File "<stdin>", line 2, in do_something_that_might_error
File "<stdin>", line 2, in raise_error
RuntimeError: something bad happened!
印刷、ロギングよりも優れています:
ただし、ベストプラクティスは、モジュールにロガーを設定することです。モジュールの名前を認識し、(ハンドラーなどの他の属性の中でも)レベルを変更できる
import logging
logging.basicConfig(level=logging.DEBUG)
logger = logging.getLogger(__name__)
その場合は、logger.exception
代わりに関数が必要になります。
try:
do_something_that_might_error()
except Exception as error:
logger.exception(error)
どのログ:
ERROR:__main__:something bad happened!
Traceback (most recent call last):
File "<stdin>", line 2, in <module>
File "<stdin>", line 2, in do_something_that_might_error
File "<stdin>", line 2, in raise_error
RuntimeError: something bad happened!
または、おそらく文字列だけが必要な場合は、traceback.format_exc
代わりに関数が必要になります。
try:
do_something_that_might_error()
except Exception as error:
logger.debug(traceback.format_exc())
どのログ:
DEBUG:__main__:Traceback (most recent call last):
File "<stdin>", line 2, in <module>
File "<stdin>", line 2, in do_something_that_might_error
File "<stdin>", line 2, in raise_error
RuntimeError: something bad happened!
結論
3つのオプションすべてについて、エラーが発生した場合と同じ出力が得られます。
>>> do_something_that_might_error()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 2, in do_something_that_might_error
File "<stdin>", line 2, in raise_error
RuntimeError: something bad happened!
print(sys.exc_info()[0]
プリント<class 'Exception'>
。