3

我按照命名 Python 记录器中描述的做法命名了我的 Python 记录

如果我使用 basicConfig(),一切正常。但现在我正在尝试使用配置文件和 dictConfig() 在运行时配置记录器。

http://docs.python.org/2/library/logging.config.html#dictionary-schema-details上的文档似乎说我的字典中有一个“root”键来配置根记录器。但是如果我只配置这个记录器,我不会得到任何输出。

这是我所拥有的:

logging_config.yaml

version: 1
formatters:
  simple:
    format: '%(asctime)s - %(name)s - %(levelname)s - %(pathname)s:%(lineno)s - %(message)s'
    datefmt: '%Y%m%d %H:%M:%S'

handlers:
  console:
    class: logging.StreamHandler
    level: DEBUG
    formatter: simple
    stream: ext://sys.stdout
  file:
    class: logging.FileHandler
    level: DEBUG
    formatter: simple
    filename: 'test.log'
    mode: "w"

# If I explicitly define a logger for __main__, it works
#loggers: 
#  __main__:
#    level: DEBUG
#    handlers: [console, file]
root:
  level: DEBUG
  handlers: [console, file]

test_log.py

import logging
logger = logging.getLogger(__name__)
import logging.config
import yaml

if __name__ == "__main__":
    log_config = yaml.load(open("logging_config.yaml", "r"))
    logging.config.dictConfig(log_config)
    #logging.basicConfig() #This works, but dictConfig doesn't
    logger.critical("OH HAI")
    logging.shutdown()

为什么这不会产生任何日志输出,以及修复它的正确方法是什么?

4

1 回答 1

2

原因是您没有disable_existing_loggers: false在 YAML 中指定,并且在调用__main__时记录器已经存在。dictConfig所以该记录器被禁用(因为它没有在配置中明确命名 - 如果它命名,那么它不会被禁用)。

只需将该行添加到您的 YAML 中:

version: 1
disable_existing_loggers: false
formatters:
  simple:
  ...
于 2013-09-25T09:55:42.040 回答