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))

这似乎不起作用,我遇到语法错误,将所有类型的异常记录到文件中的正确方法是什么


当前回答

最简单的方法是通过Polog库实现。导入它:

$ pip install polog

并使用:

from polog import log, config, file_writer


config.add_handlers(file_writer('file.log'))

with log('message').suppress():
    do_something()

请注意,代码垂直占用的空间少了多少:只有2行。

其他回答

可以尝试显式指定BaseException类型。然而,这只会捕获BaseException的派生。虽然这包括所有实现提供的异常,但也可能引发任意的旧式类。

try:
  do_something()
except BaseException, e:
  logger.error('Failed to do something: ' + str(e))

您必须定义要捕获的异常类型。因此,对于一般异常(无论如何都会记录),写Exception,e:而不是Exception。

另一种可能是用这种方式编写整个try/except代码:

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的现代版本中,使用Exception作为e,而不是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.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(ex)打印执行

try:
   #your code
except ex:
   print(str(ex))

使用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)