11

在我的 Python 程序中,我有以下代码:

def main():
    # The file's path
    path = os.path.dirname(os.path.realpath(__file__))
    ...
    # Config file relative to this file
    loggingConf = open('{0}/configs/logging.yml'.format(path), 'r')
    logging.config.dictConfig(yaml.load(loggingConf))
    loggingConf.close()
    logger = logging.getLogger(LOGGER)
    ...

这是我的 logging.yml 配置文件:

version: 1
formatters:
  default:
    format: '%(asctime)s %(levelname)s %(name)s %(message)s'
handlers:
  console:
    class: logging.StreamHandler
    level: DEBUG
    formatter: default
    stream: ext://sys.stdout
  file:
    class : logging.FileHandler
    formatter: default
    filename: bot.log
loggers:
  cloaked_chatter:
    level: DEBUG
    handlers: [console, file]
    propagate: no

问题是 bot.log 文件是在程序启动的地方创建的。我希望它始终在项目的文件夹中创建,即在与我的 Python 程序相同的文件夹中。

例如,启动程序./bot.py会在同一文件夹中创建日志文件。但是启动它python3 path/bot.py会在文件层次结构中创建比 Python 程序高一级的日志文件。

我应该如何在配置文件中写入文件名来解决这个问题?还是我需要编写一个自定义处理程序?如果是这样,怎么做?或者这不能使用 dictConfig 解决吗?

4

1 回答 1

14

有很多方法可以实现你想要的。例如,一种方法是为您的处理程序制作自定义初始化程序:

import os
import yaml

def logmaker():
    path = os.path.dirname(os.path.realpath(__file__))
    path = os.path.join(path, 'bot.log')
    return logging.FileHandler(path)

def main():
    # The file's path
    path = os.path.dirname(os.path.realpath(__file__))

    # Config file relative to this file
    loggingConf = open('{0}/logging.yml'.format(path), 'r')
    logging.config.dictConfig(yaml.load(loggingConf))
    loggingConf.close()
    logger = logging.getLogger('cloaked_chatter')
    logger.debug('Hello, world!')

if __name__ == '__main__':
    main()

请注意,我将 移动logging.yml到与脚本相邻的位置。是自logmaker定义初始化程序。在 YAML 中指定如下:

version: 1
formatters:
  default:
    format: '%(asctime)s %(levelname)s %(name)s %(message)s'
handlers:
  console:
    class: logging.StreamHandler
    level: DEBUG
    formatter: default
    stream: ext://sys.stdout
  file:
    () : __main__.logmaker
    formatter: default
loggers:
  cloaked_chatter:
    level: DEBUG
    handlers: [console, file]
    propagate: no

如果您运行 Python 脚本,您应该会发现它bot.log是在脚本和 YAML 文件旁边创建的。相同的消息被打印到控制台并且bot.log

2013-04-16 11:08:11,178 DEBUG cloaked_chatter Hello, world!

NB 脚本可能会更整洁一些,但它说明了我的观点。

更新:根据文档()用作字典中的键表示该值是可调用的,它本质上是处理程序的自定义构造函数。

于 2013-04-16T10:15:00.003 回答