31

I would like to change the timestamp in the log file so that it reflects my current time zone so that i can debug errors at a faster rate,

is it possible that i can change the time zone in the log file ?

currently my config is:

logging.basicConfig(filename='audit.log',
                filemode='w',
                level=logging.INFO,
                format='%(asctime)s %(message)s',
                datefmt='%m/%d/%Y %I:%M:%S %p')
4

7 回答 7

35

如何记录时区

%Zstrftime格式

视窗

>>> import logging
>>> logging.basicConfig(format="%(asctime)s %(message)s", datefmt="%m/%d/%Y %I:%M:%S %p %Z")
>>> logging.error('test')
11/03/2017 02:29:54 PM Mountain Daylight Time test

Linux

>>> import logging
>>> logging.basicConfig(format="%(asctime)s %(message)s", datefmt="%m/%d/%Y %I:%M:%S %p %Z")
>>> logging.error('test')
11/03/2017 02:30:50 PM MDT test

如果问题是

如何登录与服务器本地时间不同的时区?

部分答案是logging.Formatter.converter,但是,您必须了解天真和有意识的日期时间对象。除非您想编写自己的时区模块,否则我强烈建议您使用pytz库 ( pip install pytz)。Python 3 包括一个 UTC 和 UTC 偏移时区,但是对于夏令时或其他偏移,您必须实施一些规则,所以我建议使用 pytz 库,即使对于 python 3 也是如此。

例如,

>>> import datetime
>>> utc_now = datetime.datetime.utcnow()
>>> utc_now.isoformat()
'2019-05-21T02:30:09.422638'
>>> utc_now.tzinfo
(None)

如果我将时区应用于此日期时间对象,则时间不会改变(或将发出ValueErrorfor < python 3.7ish)。

>>> mst_now = utc_now.astimezone(pytz.timezone('America/Denver'))
>>> mst_now.isoformat()
'2019-05-21T02:30:09.422638-06:00'
>>> utc_now.isoformat()
'2019-05-21T02:30:09.422638'

但是,如果相反,我会

>>> import pytz
>>> utc_now = datetime.datetime.now(tz=pytz.timezone('UTC'))
>>> utc_now.tzinfo
<UTC>

datetime现在我们可以在我们希望的任何时区创建一个正确翻译的对象

>>> mst_now = utc_now.astimezone(pytz.timezone('America/Denver'))
>>> mst_now.isoformat()
'2019-05-20T20:31:44.913939-06:00'

啊哈!现在将其应用于日志记录模块。

纪元时间戳到带有时区的字符串表示

LogRecord.created属性设置为从模块LogRecord创建(由返回)的时间。这将返回一个时间戳(自纪元以来的秒数)。您可以自己翻译到给定的时区,但我再次建议,通过覆盖转换器。time.time()timepytz

import datetime
import logging
import pytz

class Formatter(logging.Formatter):
    """override logging.Formatter to use an aware datetime object"""
    def converter(self, timestamp):
        dt = datetime.datetime.fromtimestamp(timestamp)
        tzinfo = pytz.timezone('America/Denver')
        return tzinfo.localize(dt)
        
    def formatTime(self, record, datefmt=None):
        dt = self.converter(record.created)
        if datefmt:
            s = dt.strftime(datefmt)
        else:
            try:
                s = dt.isoformat(timespec='milliseconds')
            except TypeError:
                s = dt.isoformat()
        return s

Python 3.5、2.7

>>> logger = logging.root
>>> handler = logging.StreamHandler()
>>> handler.setFormatter(Formatter("%(asctime)s %(message)s"))
>>> logger.addHandler(handler)
>>> logger.setLevel(logging.DEBUG)
>>> logger.debug('test')
2019-05-20T22:25:10.758782-06:00 test

蟒蛇 3.7

>>> logger = logging.root
>>> handler = logging.StreamHandler()
>>> handler.setFormatter(Formatter("%(asctime)s %(message)s"))
>>> logger.addHandler(handler)
>>> logger.setLevel(logging.DEBUG)
>>> logger.debug('test')
2019-05-20T22:29:21.678-06:00 test

替换pytz 定义的 posix 时America/DenverAmerica/Anchorage

>>> next(_ for _ in pytz.common_timezones if 'Alaska' in _)
'US/Alaska'

美国/阿拉斯加已弃用

>>> [_ for _ in pytz.all_timezones if 'Anchorage' in _]
['America/Anchorage']

当地的

如果您在寻找如何记录本地时区时遇到此问题和答案,则不要对时区进行硬编码,而是获取tzlocal( pip install tzlocal) 并替换

        tzinfo = pytz.timezone('America/Denver')

        tzinfo = tzlocal.get_localzone()

现在它将在运行脚本的任何服务器上运行,时区位于服务器上。

不记录 UTC 时的警告

我应该补充一点,根据应用程序,登录本地时区可能会产生歧义或至少每年两次造成混乱,其中 2 AM 被跳过或 1 AM 重复,可能还有其他。

于 2017-11-03T20:32:02.067 回答
17
#!/usr/bin/env python
from datetime import datetime
import logging
import time

from pytz import timezone, utc


def main():
    logging.basicConfig(format="%(asctime)s %(message)s",
                        datefmt="%Y-%m-%d %H:%M:%S")
    logger = logging.getLogger(__name__)
    logger.error("default")

    logging.Formatter.converter = time.localtime
    logger.error("localtime")

    logging.Formatter.converter = time.gmtime
    logger.error("gmtime")

    def customTime(*args):
        utc_dt = utc.localize(datetime.utcnow())
        my_tz = timezone("US/Eastern")
        converted = utc_dt.astimezone(my_tz)
        return converted.timetuple()

    logging.Formatter.converter = customTime
    logger.error("customTime")

    # to find the string code for your desired tz...
    # print(pytz.all_timezones)
    # print(pytz.common_timezones)


if __name__ == "__main__":
    main()
  • 从表面上看,这个pytz包是在 Python 中转换时区的好方法。所以我们从datetime,转换,然后获取(不可变)time_tuple以匹配time方法的返回类型
  • 此答案建议设置该logging.Formatter.converter功能:(Python logging: How to set time to GMT)。
  • 通过取消注释结束行找到您最喜欢的 TZ 代码
于 2017-08-21T21:02:25.633 回答
14
#!/usr/bin/python

from datetime import datetime
from pytz import timezone
import logging

def timetz(*args):
    return datetime.now(tz).timetuple()

tz = timezone('Asia/Shanghai') # UTC, Asia/Shanghai, Europe/Berlin

logging.Formatter.converter = timetz

logging.basicConfig(
    format="%(asctime)s %(levelname)s: %(message)s",
    level=logging.INFO,
    datefmt="%Y-%m-%d %H:%M:%S",
)

logging.info('Timezone: ' + str(tz))

使用 pytz 定义相对于 UTC 的时区。
基于示例:secsilm

于 2019-07-21T14:36:21.467 回答
12

只需将此 pythonic 行添加到您的代码中(使用pytz和 datetime):

from pytz import timezone
from datetime import datetime

logging.Formatter.converter = lambda *args: datetime.now(tz=timezone('tz string name')).timetuple()

# quoting Ryan J McCall: to find the string name for your desired timezone...
# print(pytz.all_timezones)
# or print(pytz.common_timezones)
于 2020-06-08T15:15:14.437 回答
3

如果要使用日志记录配置功能,另一种解决方案:

import pytz
import logging
import logging.config
from datetime import datetime

tz = pytz.timezone('Asia/Tokyo')

class TokyoFormatter(logging.Formatter):
    converter = lambda *args: datetime.now(tz).timetuple()

LOGGING = {
    'version': 1,
    'disable_existing_loggers': False,
    'formatters': {
        'Tokyo': {
            '()': TokyoFormatter,
            'format': '%(asctime)s %(levelname)s: %(message)s',
            'datefmt': '%Y-%m-%d %H:%M:%S'
        },
    },
    'handlers': {
        'console': {
            'class': 'logging.StreamHandler',
            'formatter': 'Tokyo'
        },
    },
    'loggers': {
        'foo': {
            'handlers': ['console'],
            'level': 'INFO'
        },
    }
}

logging.config.dictConfig(LOGGING)
logger = logging.getLogger('foo')
logger.info('Just a test.')

定义日志格式化程序,例如“TokyoFormatter”。它有一个属性“转换器”,完成转换时区的工作。有关更多详细信息,请参阅使用 dictConfig() 自定义处理程序

于 2021-01-22T06:55:16.230 回答
-2
import logging, time
from datetime import datetime, timedelta
logger = logging.getLogger(__name__)
converter = lambda x, y: (datetime.utcnow() - timedelta(
    hours=7 if time.localtime().tm_isdst else 6)
).timetuple()
logging.Formatter.converter = converter

编辑为 Elias 指出原始答案没有检查 DST。

于 2018-06-20T06:40:28.610 回答
-2

如果您知道您的UTC 偏移量,您可以定义一个函数来更正时间,然后将其传递给logging.Formatter.converter.

例如,要将时间转换为 UTC+8 时区,则:

import logging
import datetime


def beijing(sec, what):
    '''sec and what is unused.'''
    beijing_time = datetime.datetime.now() + datetime.timedelta(hours=8)
    return beijing_time.timetuple()


logging.Formatter.converter = beijing

logging.basicConfig(
    format="%(asctime)s %(levelname)s: %(message)s",
    level=logging.INFO,
    datefmt="%Y-%m-%d %H:%M:%S",
)

datetime.timedelta(hours=8)只需根据您的情况更改时间。

参考:https ://alanlee.fun/2019/01/06/how-to-change-logging-date-timezone/

于 2019-01-06T11:20:14.190 回答