python 예외 메시지 캡처
import ftplib
import urllib2
import os
import logging
logger = logging.getLogger('ftpuploader')
hdlr = logging.FileHandler('ftplog.log')
formatter = logging.Formatter('%(asctime)s %(levelname)s %(message)s')
hdlr.setFormatter(formatter)
logger.addHandler(hdlr)
logger.setLevel(logging.INFO)
FTPADDR = "some ftp address"
def upload_to_ftp(con, filepath):
try:
f = open(filepath,'rb') # file to send
con.storbinary('STOR '+ filepath, f) # Send the file
f.close() # Close file and FTP
logger.info('File successfully uploaded to '+ FTPADDR)
except, e:
logger.error('Failed to upload to ftp: '+ str(e))
이것은 동작하지 않는 것 같습니다.구문 오류가 표시됩니다.모든 종류의 예외를 파일에 기록하기 위한 적절한 방법은 무엇입니까?
탐지할 예외 유형을 정의해야 합니다.그러니 써라except Exception, e:
대신except, e:
일반적인 예외(어차피 로그에 기록됩니다)의 경우.
다른 방법으로는 다음과 같이 전체 시도/제외 코드를 작성할 수 있습니다.
try:
with open(filepath,'rb') as f:
con.storbinary('STOR '+ filepath, f)
logger.info('File successfully uploaded to '+ FTPADDR)
except Exception, e: # work on python 2.x
logger.error('Failed to upload to ftp: '+ str(e))
Python 3.x 및 최신 버전의 Python 2.x 사용except Exception as e
대신except Exception, e
:
try:
with open(filepath,'rb') as f:
con.storbinary('STOR '+ filepath, f)
logger.info('File successfully uploaded to '+ FTPADDR)
except Exception as e: # work on python 3.x
logger.error('Failed to upload to ftp: '+ str(e))
이 구문은 더 이상 python 3에서 지원되지 않습니다.대신 다음을 사용하십시오.
try:
do_something()
except BaseException as e:
logger.error('Failed to do something: ' + str(e))
오류 클래스, 오류 메시지 및 스택트레이스를 사용하려면 를 사용합니다.
최소한의 동작 코드(일부 포맷 포함):
import sys
import traceback
try:
ans = 1/0
except BaseException as ex:
# Get current system exception
ex_type, ex_value, ex_traceback = sys.exc_info()
# Extract unformatter stack traces as tuples
trace_back = traceback.extract_tb(ex_traceback)
# Format stacktrace
stack_trace = list()
for trace in trace_back:
stack_trace.append("File : %s , Line : %d, Func.Name : %s, Message : %s" % (trace[0], trace[1], trace[2], trace[3]))
print("Exception type : %s " % ex_type.__name__)
print("Exception message : %s" %ex_value)
print("Stack trace : %s" %stack_trace)
다음과 같은 출력을 얻을 수 있습니다.
Exception type : ZeroDivisionError
Exception message : division by zero
Stack trace : ['File : .\\test.py , Line : 5, Func.Name : <module>, Message : ans = 1/0']
sys.exc_info() 함수는 최신 예외에 대한 자세한 내용을 제공합니다.의 두 배가 돌아온다.(type, value, traceback)
.
traceback
는 트레이스백 객체의 인스턴스입니다.트레이스 포맷은 제공된 메서드로 할 수 있습니다.상세한 것에 대하여는, 트레이스 백의 메뉴얼을 참조해 주세요.
e.message 또는 e.messages를 사용할 수 있는 경우가 있습니다.하지만 모든 경우에 효과가 있는 것은 아닙니다.어쨌든 str(e)을 사용하는 것이 보다 안전합니다.
try:
...
except Exception as e:
print(e.message)
이것을 로거용으로 간단하게 갱신합니다(파이썬 2와 3 모두 사용 가능).트레이스백 모듈은 필요 없습니다.
import logging
logger = logging.Logger('catch_all')
def catchEverythingInLog():
try:
... do something ...
except Exception as e:
logger.error(e, exc_info=True)
... exception handling ...
이것은, 지금까지의 방식입니다(아직도 유효합니다).
import sys, traceback
def catchEverything():
try:
... some operation(s) ...
except:
exc_type, exc_value, exc_traceback = sys.exc_info()
... exception handling ...
exc_value는 오류 메시지입니다.
사용할 수 있습니다.logger.exception("msg")
traceback을 사용한 로깅 예외:
try:
#your code
except Exception as e:
logger.exception('Failed: ' + str(e))
python 3.6 이후 포맷된 문자열 리터럴을 사용할 수 있습니다.깔끔하다! (https://docs.python.org/3/whatsnew/3.6.html#whatsnew36-pep498))
try
...
except Exception as e:
logger.error(f"Failed to upload to ftp: {e}")
사용.str(e)
또는repr(e)
예외를 나타내기 위해 실제 스택트레이스는 취득되지 않기 때문에 예외가 어디에 있는지 알아내는 것은 도움이 되지 않습니다.
기타 응답 및 로깅 패키지 문서를 읽은 후 다음 두 가지 방법으로 실제 스택트레이스를 인쇄하면 디버깅이 쉬워집니다.
사용하다logger.debug()
매개 변수를 사용하여exc_info
try:
# my code
except SomeError as e:
logger.debug(e, exc_info=True)
사용하다logger.exception()
또는 직접 사용할 수 있습니다.logger.exception()
예외를 인쇄합니다.
try:
# my code
except SomeError as e:
logger.exception(e)
BaseException 유형을 명시적으로 지정할 수 있습니다.단, 이것은 BaseException의 파생 모델만 가져옵니다.여기에는 구현에 의해 제공되는 모든 예외가 포함되지만 임의의 오래된 스타일의 클래스가 발생할 수도 있습니다.
try:
do_something()
except BaseException, e:
logger.error('Failed to do something: ' + str(e))
원래의 에러 메시지를 표시하는 경우는, (파일 및 행 번호)
import traceback
try:
print(3/0)
except Exception as e:
traceback.print_exc()
메세지는, 「이러다」를 않았던 됩니다.try-except
.
str(ex)를 사용하여 실행 인쇄
try:
#your code
except ex:
print(str(ex))
python 3.8.2(그리고 그 이전 버전도 포함)에서 미래의 어려움을 겪는 사람들을 위해 구문은 다음과 같습니다.
except Attribute as e:
print(e)
언급URL : https://stackoverflow.com/questions/4690600/python-exception-message-capturing
'programing' 카테고리의 다른 글
업데이트된 열 값을 수동으로 수정할 때 HeidiSQL Before Update 트리거 오류 발생 (0) | 2022.09.30 |
---|---|
MariaDB SELECT가 다른 트랜잭션이 완료될 때까지 대기하도록 합니다. (0) | 2022.09.28 |
Python json.loads에 ValueError: 추가 데이터가 표시됩니다. (0) | 2022.09.28 |
스위치 스테이트먼트에서 복귀하는 것이 브레이크 사용보다 더 좋은 방법이라고 생각하십니까? (0) | 2022.09.28 |
Java의 ToLowerCase() 및 ToUpperCase()에서 Locales 사용 (0) | 2022.09.28 |