基于我所问的相关问题和答案,很明显Python 3.4中的datetime.fromtimestamp(os.path.getctime())
不返回时区感知的datetime对象,然而,基于一些调查,我还发现(例如)在HFS+文件系统上的OS X 10.9似乎与ctimes一起维护时区(除非gls从我的本地时区和夏令时推断时区):
$ gls -l --full-time -c
-rw------- 1 myuser staff 538 2015-01-04 17:12:57.000000000 +0100 fileone
-rwxr-xr-x 17 myuser staff 578 2015-05-20 06:41:07.000000000 +0200 filetwo
(我使用的是ls的GNU版本)
如何从ctime中获得时区并将其插入/组合到datetime对象中?
(我也希望mtime的答案相同,我认为它将是相似的)。
ctime和mtime都可以作为"seconds since epoch"(由time.time()
返回的值)。
要获取本地时区,您可以使用tzlocal
模块:
#!/usr/bin/env python
import os
from datetime import datetime
from tzlocal import get_localzone # $ pip install tzlocal
local_timezone = get_localzone()
aware_dt = datetime.fromtimestamp(os.path.getctime(path), local_timezone)
您可能会看到时区信息,因为ls
使用本地时区将时间戳转换为带有时区偏移量的相应细分时间。
如果你只想依赖Python标准库,你只能使用tzinfo的时区子类:
tz = datetime.timezone(datetime.timedelta(seconds=-time.timezone), time.tzname[0])
if (time.daylight == 0 || time.localtime(os.path.getctime(path)).tm_isdst == 0)
else datetime.timezone(datetime.timedelta(seconds=-time.altzone), time.tzname[1])
dt = datetime.fromtimestamp(os.path.getctime(path), tz)
那么你可以(在法国):
>>> dt
datetime.datetime(2015, 6, 9, 13, 43, 3, 791255, tzinfo=datetime.timezone(datetime.timedelta(0, 7200), 'Paris, Madrid (heure dx92été)'))
>>> dt.utctimetuple()
time.struct_time(tm_year=2015, tm_mon=6, tm_mday=9, tm_hour=11, tm_min=43, tm_sec=3, tm_wday=1, tm_yday=160, tm_isdst=0)
当然,mtime也会完全相同
你应该参考J.F. Sebastian的文章。以下是节选:
以绕过时间的方式获取当前UTC偏移量。日光问题,即使tm_gmtoff不可用,[this]也可以使用:
import time
from datetime import datetime
ts = time.time()
utc_offset = (datetime.fromtimestamp(ts) -
datetime.utcfromtimestamp(ts)).total_seconds()
这个适合我:
import os, datetime, time
modified_time = os.path.getmtime(file)
mtime_obj = datetime.datetime(*time.localtime(modified_time)[:6])
# (or)
mtime_obj = datetime.datetime.fromtimestamp(modified_time)
print(mtime_obj.strftime('%Y-%m-%d_%H-%M-%S'))
没有外部包装。只有标准的python库。(Python 3.6)