我无法理解Python的logging
模块。我的需求非常简单:我只想将所有内容记录到syslog中。阅读文档后,我想出了这个简单的测试脚本:
import logging
import logging.handlers
my_logger = logging.getLogger('MyLogger')
my_logger.setLevel(logging.DEBUG)
handler = logging.handlers.SysLogHandler()
my_logger.addHandler(handler)
my_logger.debug('this is debug')
my_logger.critical('this is critical')
但是这个脚本不会在syslog中产生任何日志记录。怎么了?
答案 0 :(得分:129)
将行更改为:
handler = SysLogHandler(address='/dev/log')
这对我有用
import logging
import logging.handlers
my_logger = logging.getLogger('MyLogger')
my_logger.setLevel(logging.DEBUG)
handler = logging.handlers.SysLogHandler(address = '/dev/log')
my_logger.addHandler(handler)
my_logger.debug('this is debug')
my_logger.critical('this is critical')
答案 1 :(得分:20)
您应始终使用本地主机进行日志记录,无论是通过TCP堆栈还是/ dev / log或localhost。这允许完全符合RFC且功能强大的系统日志记录守护程序来处理syslog。这消除了远程守护进程功能的需要,并提供了syslog守护进程的增强功能,例如rsyslog和syslog-ng。 SMTP也是如此。只需将其交给本地SMTP软件即可。在这种情况下使用'程序模式'而不是守护进程,但它是相同的想法。让功能更强大的软件处理它。可以重试,排队,本地假脱机,使用TCP而不是UDP来进行系统日志等。您也可以[代码]单独[重新]配置这些守护进程。
保存您的应用程序的编码,让其他软件协同工作。
答案 2 :(得分:15)
我发现the syslog module可以很容易地获得您描述的基本日志记录行为:
import syslog
syslog.syslog("This is a test message")
syslog.syslog(syslog.LOG_INFO, "Test message at INFO priority")
你还可以做其他事情,但即便只是前两行也会让你了解我所理解的内容。
答案 3 :(得分:13)
从这里和其他地方把东西拼凑起来,这就是我提出的可以在unbuntu 12.04和centOS6上运行的东西
在/etc/rsyslog.d/
中创建一个以.conf结尾的文件,并添加以下文字
local6.* /var/log/my-logfile
重新启动rsyslog
,重新加载似乎不适用于新的日志文件。也许它只重新加载现有的conf文件?
sudo restart rsyslog
然后你可以使用这个测试程序来确保它确实有效。
import logging, sys
from logging import config
LOGGING = {
'version': 1,
'disable_existing_loggers': False,
'formatters': {
'verbose': {
'format': '%(levelname)s %(module)s P%(process)d T%(thread)d %(message)s'
},
},
'handlers': {
'stdout': {
'class': 'logging.StreamHandler',
'stream': sys.stdout,
'formatter': 'verbose',
},
'sys-logger6': {
'class': 'logging.handlers.SysLogHandler',
'address': '/dev/log',
'facility': "local6",
'formatter': 'verbose',
},
},
'loggers': {
'my-logger': {
'handlers': ['sys-logger6','stdout'],
'level': logging.DEBUG,
'propagate': True,
},
}
}
config.dictConfig(LOGGING)
logger = logging.getLogger("my-logger")
logger.debug("Debug")
logger.info("Info")
logger.warn("Warn")
logger.error("Error")
logger.critical("Critical")
答案 4 :(得分:11)
我添加了一些额外的评论以防万一它可以帮助任何人,因为我发现这个交换有用,但需要这些额外的信息才能使它全部正常工作。
要使用SysLogHandler登录特定设施,您需要指定设施值。 比如你已定义:
local3.* /var/log/mylog
,然后你会想要使用:
handler = logging.handlers.SysLogHandler(address = ('localhost',514), facility=19)
并且您还需要在UDP上侦听syslog以使用localhost而不是/ dev / log。
答案 5 :(得分:10)
您的syslog.conf是否设置为处理facility = user?
您可以使用facility参数设置python logger使用的工具,如下所示:
handler = logging.handlers.SysLogHandler(facility=SysLogHandler.LOG_DAEMON)
答案 6 :(得分:7)
来自https://github.com/luismartingil/per.scripts/tree/master/python_syslog
#!/usr/bin/python
# -*- coding: utf-8 -*-
'''
Implements a new handler for the logging module which uses the pure syslog python module.
@author: Luis Martin Gil
@year: 2013
'''
import logging
import syslog
class SysLogLibHandler(logging.Handler):
"""A logging handler that emits messages to syslog.syslog."""
FACILITY = [syslog.LOG_LOCAL0,
syslog.LOG_LOCAL1,
syslog.LOG_LOCAL2,
syslog.LOG_LOCAL3,
syslog.LOG_LOCAL4,
syslog.LOG_LOCAL5,
syslog.LOG_LOCAL6,
syslog.LOG_LOCAL7]
def __init__(self, n):
""" Pre. (0 <= n <= 7) """
try:
syslog.openlog(logoption=syslog.LOG_PID, facility=self.FACILITY[n])
except Exception , err:
try:
syslog.openlog(syslog.LOG_PID, self.FACILITY[n])
except Exception, err:
try:
syslog.openlog('my_ident', syslog.LOG_PID, self.FACILITY[n])
except:
raise
# We got it
logging.Handler.__init__(self)
def emit(self, record):
syslog.syslog(self.format(record))
if __name__ == '__main__':
""" Lets play with the log class. """
# Some variables we need
_id = 'myproj_v2.0'
logStr = 'debug'
logFacilityLocalN = 1
# Defines a logging level and logging format based on a given string key.
LOG_ATTR = {'debug': (logging.DEBUG,
_id + ' %(levelname)-9s %(name)-15s %(threadName)-14s +%(lineno)-4d %(message)s'),
'info': (logging.INFO,
_id + ' %(levelname)-9s %(message)s'),
'warning': (logging.WARNING,
_id + ' %(levelname)-9s %(message)s'),
'error': (logging.ERROR,
_id + ' %(levelname)-9s %(message)s'),
'critical': (logging.CRITICAL,
_id + ' %(levelname)-9s %(message)s')}
loglevel, logformat = LOG_ATTR[logStr]
# Configuring the logger
logger = logging.getLogger()
logger.setLevel(loglevel)
# Clearing previous logs
logger.handlers = []
# Setting formaters and adding handlers.
formatter = logging.Formatter(logformat)
handlers = []
handlers.append(SysLogLibHandler(logFacilityLocalN))
for h in handlers:
h.setFormatter(formatter)
logger.addHandler(h)
# Yep!
logging.debug('test debug')
logging.info('test info')
logging.warning('test warning')
logging.error('test error')
logging.critical('test critical')
答案 7 :(得分:6)
import syslog
syslog.openlog(ident="LOG_IDENTIFIER",logoption=syslog.LOG_PID, facility=syslog.LOG_LOCAL0)
syslog.syslog('Log processing initiated...')
上面的脚本将使用我们的自定义“LOG_IDENTIFIER”登录到LOCAL0工具... 您可以将LOCAL [0-7]用于本地目的。
答案 8 :(得分:3)
这是推荐用于3.2&amp ;;的yaml dictConfig方式。后面。
在日志cfg.yml
中:
version: 1
disable_existing_loggers: true
formatters:
default:
format: "[%(process)d] %(name)s(%(funcName)s:%(lineno)s) - %(levelname)s: %(message)s"
handlers:
syslog:
class: logging.handlers.SysLogHandler
level: DEBUG
formatter: default
address: /dev/log
facility: local0
rotating_file:
class: logging.handlers.RotatingFileHandler
level: DEBUG
formatter: default
filename: rotating.log
maxBytes: 10485760 # 10MB
backupCount: 20
encoding: utf8
root:
level: DEBUG
handlers: [syslog, rotating_file]
propogate: yes
loggers:
main:
level: DEBUG
handlers: [syslog, rotating_file]
propogate: yes
使用以下命令加载配置:
log_config = yaml.safe_load(open('cfg.yml'))
logging.config.dictConfig(log_config)
配置syslog&amp;直接档案。请注意,/dev/log
是特定于操作系统的。
答案 9 :(得分:1)
我使用 JSON 日志记录并希望使用带有 UDP 端口 514 的 SysLogHandler。最终让 JSON 处理程序配置工作。在处理程序部分,我有:
{
"syslog": {
"class": "logging.handlers.SysLogHandler",
"address": ["127.0.0.1", 514],
"facility": "local6",
"formatter": "syslog_fmt"
}
在其他任何地方都没有找到。
答案 10 :(得分:0)
我将其修复在笔记本上。 rsyslog服务未侦听套接字服务。
我在/etc/rsyslog.conf
文件中配置了以下行,并解决了问题:
$SystemLogSocketName /dev/log
答案 11 :(得分:-1)
您还可以添加文件处理程序或旋转文件处理程序以将日志发送到本地文件: http://docs.python.org/2/library/logging.handlers.html