这就是我正在做的事情
>>> import logging
>>> logging.getLogger().setLevel(logging.INFO)
>>> from datetime import date
>>> date = date.today()
>>> logging.info('date={}', date)
Traceback (most recent call last):
File "/opt/local/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/logging/__init__.py", line 846, in emit
msg = self.format(record)
File "/opt/local/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/logging/__init__.py", line 723, in format
return fmt.format(record)
File "/opt/local/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/logging/__init__.py", line 464, in format
record.message = record.getMessage()
File "/opt/local/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/logging/__init__.py", line 328, in getMessage
msg = msg % self.args
TypeError: not all arguments converted during string formatting
Logged from file <stdin>, line 1
>>>
我的python版本是
$ python --version
Python 2.7.3
如何让它发挥作用?
答案 0 :(得分:39)
使用日志记录模块时,不能使用新式格式;使用%s
代替{}
。
logging.info('date=%s', date)
日志记录模块使用旧式%
运算符来格式化日志字符串。有关详细信息,请参阅debug
method。
如果您确实想使用str.format()
字符串格式,请考虑使用自定义对象,将实际转换为字符串时应用格式为“late”:
class BraceMessage(object):
def __init__(self, fmt, *args, **kwargs):
self.fmt = fmt
self.args = args
self.kwargs = kwargs
def __str__(self):
return self.fmt.format(*self.args, **self.kwargs)
__ = BraceMessage
logging.info(__('date={}', date))
这是Python 3 logging
module documentation proposes的一种方法,它也适用于Python 2。
答案 1 :(得分:17)
您可以自己进行格式化:
logging.info('date={}'.format(date))
正如Martijn Pieters所指出的,这将始终运行字符串格式,而使用日志记录模块将导致仅在实际记录消息时才执行格式化。
答案 2 :(得分:6)
Martijn的答案是正确的,但是如果您更喜欢使用新的格式化日志,那么可以通过继承Logger来完成。
import logging
class LogRecord(logging.LogRecord):
def getMessage(self):
msg = self.msg
if self.args:
if isinstance(self.args, dict):
msg = msg.format(**self.args)
else:
msg = msg.format(*self.args)
return msg
class Logger(logging.Logger):
def makeRecord(self, name, level, fn, lno, msg, args, exc_info, func=None, extra=None):
rv = LogRecord(name, level, fn, lno, msg, args, exc_info, func)
if extra is not None:
for key in extra:
rv.__dict__[key] = extra[key]
return rv
然后只需设置日志记录类:
logging.setLoggerClass(Logger)
答案 3 :(得分:0)
您也可以这样做(Python 3);
logging.info(f'date={date}')