ISO8601时间字符串到时间戳处理
作者:matrix 发布时间:2019-06-21 分类:Python 兼容并蓄
之前不太理解ISO8601时间格式,后来看了下网上文章,其实是没有固定的单一格式。
按照下面这些其实都属于ISO8601时间格式:
2019-03-25T16:00:00.000111Z
2019-03-25T16:00:00.111Z
2019-03-25T16:00:00Z
2019-03-25T16:00:00
...
Z
表示祖鲁时间Zulu time
即+0时区
,若去掉不写Z
则采用系统本地时区。
ISO8601时间还有很多其他扩展格式。
下面代码处理的也就是普通格式
python
import datetime,pytz
def iso2timestamp(datestring, format='%Y-%m-%dT%H:%M:%S.%fZ',timespec='seconds'):
"""
ISO8601时间转换为时间戳
:param datestring:iso时间字符串 2019-03-25T16:00:00.000Z,2019-03-25T16:00:00.000111Z
:param format:%Y-%m-%dT%H:%M:%S.%fZ;其中%f 表示毫秒或者微秒
:param timespec:返回时间戳最小单位 seconds 秒,milliseconds 毫秒,microseconds 微秒
:return:时间戳 默认单位秒
"""
tz = pytz.timezone('Asia/Shanghai')
utc_time = datetime.datetime.strptime(datestring, format) # 将字符串读取为 时间 class datetime.datetime
time = utc_time.replace(tzinfo=pytz.utc).astimezone(tz)
times = {
'seconds': int(time.timestamp()),
'milliseconds': round(time.timestamp() * 1000),
'microseconds': round(time.timestamp() * 1000 * 1000),
}
return times[timespec]
def timestamp2iso(timestamp, format='%Y-%m-%dT%H:%M:%S.%fZ',exact_sec_type = 3):
"""
时间戳转换到ISO8601标准时间(支持微秒级输出 YYYY-MM-DD HH:MM:SS.mmmmmm)
:param timestamp:时间戳 int值,支持 秒,毫秒,微秒级别
:param format:输出的时间格式 默认 iso=%Y-%m-%dT%H:%M:%S.%fZ;其中%f表示微秒6位长度
:param exact_sec_type: %f表示的单位 3|6 默认 6微秒,3毫秒
此函数特殊处理,毫秒/微秒部分 让其支持该部分的字符格式输出
:return:
"""
format = format.replace('%f','{-FF-}')#订单处理微秒数据 %f
assert exact_sec_type in [3,6]
length = min(10+exact_sec_type, len(str(timestamp)))#最多取到微秒级
#获取毫秒/微秒 数据
sec = '0'
if length != 10:#非秒级
sec = str(timestamp)[:10+exact_sec_type][-(length - 10):]#最长截取16位长度 再取最后毫秒/微秒数据
if exact_sec_type == 6:
sec = '{:0<6}'.format(sec)#长度位6,靠左剩下的用0补齐
elif exact_sec_type == 3:
sec = '{:0<3}'.format(sec)#长度位3,靠左剩下的用0补齐
timestamp = float(str(timestamp)[:10])#转换为秒级时间戳
return datetime.datetime.utcfromtimestamp(timestamp).strftime(format).replace('{-FF-}',sec)
说明:
之前别个写的iso到时间戳的转换方法简直蛋疼,无参数说明和无法精确到秒级别。
两个函数都可以相互转换和处理。
参考:
https://en.wikipedia.org/wiki/ISO_8601
https://docs.Python.org/zh-cn/3.7/library/datetime.html?highlight=isoformat#strftime-strptime-behavior
https://www.w3.org/TR/NOTE-datetime
https://www.cryptosys.net/pki/manpki/pki_iso8601datetime.html