2

我有一个非常简单的测试设置,其中包含 cron 和一个使用该logging模块的 Python 脚本,当 cron 遇到日志事件时,它的行为很奇怪。

crontab

* * * * * ~/test.py >> ~/test.log

~/test.py

#!/usr/bin/env python

import logging
logging.basicConfig(level=logging.DEBUG)

print 'Properly printed, to file'
logging.debug("Does not get printed, get's e-mailed as an error")
print 'Still running, though'

~/test.log

cron 运行后,日志中会填充以下两条消息:

Properly printed, to file
Still running, though

cron 错误电子邮件

同样在 cron 运行后,我收到一条通知,说我有新邮件:

From tomcat6@local  Thu May 23 16:35:01 2013
Date: Thu, 23 May 2013 16:35:01 -0700
From: root@local (Cron Daemon)
To: tomcat6@local
Subject: Cron <tomcat6@local> ~/test.py >> ~/test.log
Content-Type: text/plain; charset=UTF-8
Auto-Submitted: auto-generated
X-Cron-Env: <SHELL=/bin/sh>
X-Cron-Env: <HOME=/usr/local/tomcat6>
X-Cron-Env: <PATH=/usr/bin:/bin>
X-Cron-Env: <LOGNAME=tomcat6>
X-Cron-Env: <USER=tomcat6>

DEBUG:root:Does not get printed, get's e-mailed as an error

看起来这不是一个明确的错误,否则最终的“仍在运行...”消息将不会打印到~/test.log,对吗?

为什么 cron 和/或日志记录会这样做,是否有解决方法?

4

1 回答 1

9

basicConfig()由日志消息设置的默认配置stderr,并且 cron 将stderr文件句柄的任何输出解释为值得发送电子邮件;毕竟,您不是在重定向它。

请参阅logging.basicConfig()文档

StreamHandler通过使用默认值创建一个日志记录系统Formatter并将其添加到根记录器,对日志记录系统进行基本配置,

StreamHandler文档

如果指定了,实例将使用它来记录输出;否则,sys.stderr将被使用。

解决方法是不设置流处理程序,或选择不同的流,或选择要记录到的文件名:

logging.basicConfig(level=logging.DEBUG, filename='/some/file/to/log/to')

或者

logging.basicConfig(level=logging.DEBUG, stream=sys.stdout)

通过记录到stdout您将记录信息写入相同的输出流print()

另一种解决方法是重定向stderrstdout

* * * * * ~/test.py >> ~/test.log 2>&1
于 2013-05-23T23:50:52.453 回答