我有一个Python datetime对象,我想将其转换为unix时间,或自1970 epoch以来的秒/毫秒。
我怎么做呢?
我有一个Python datetime对象,我想将其转换为unix时间,或自1970 epoch以来的秒/毫秒。
我怎么做呢?
当前回答
很多答案在python2中不起作用,或者没有从datetime中保存毫秒。这对我很有用
def datetime_to_ms_epoch(dt):
microseconds = time.mktime(dt.timetuple()) * 1000000 + dt.microsecond
return int(round(microseconds / float(1000)))
其他回答
>>> import datetime
>>> # replace datetime.datetime.now() with your datetime object
>>> int(datetime.datetime.now().strftime("%s")) * 1000
1312908481000
或者时间模块的帮助(没有日期格式):
>>> import datetime, time
>>> # replace datetime.datetime.now() with your datetime object
>>> time.mktime(datetime.datetime.now().timetuple()) * 1000
1312908681000.0
得到了来自:http://pleac.sourceforge.net/pleac_python/datesandtimes.html的帮助
文档:
time.mktime datetime.timetuple
在Python 3.3中,添加了新的方法timestamp:
import datetime
seconds_since_epoch = datetime.datetime.now().timestamp()
你的问题说你需要毫秒,你可以得到这样的毫秒:
milliseconds_since_epoch = datetime.datetime.now().timestamp() * 1000
如果在naive datetime对象上使用时间戳,则假定该对象位于本地时区。如果您不希望发生这种情况,请使用时区感知的datetime对象。
Python 2.7文档对time模块的建议
from datetime import datetime
from calendar import timegm
# Note: if you pass in a naive dttm object it's assumed to already be in UTC
def unix_time(dttm=None):
if dttm is None:
dttm = datetime.utcnow()
return timegm(dttm.utctimetuple())
print "Unix time now: %d" % unix_time()
print "Unix timestamp from an existing dttm: %d" % unix_time(datetime(2014, 12, 30, 12, 0))
这是将datetime转换为unixtimestampmillis的另一个解决方案。
private static readonly DateTime UnixEpoch = new DateTime(1970, 1, 1, 0, 0, 0, DateTimeKind.Utc);
public static long GetCurrentUnixTimestampMillis()
{
DateTime localDateTime, univDateTime;
localDateTime = DateTime.Now;
univDateTime = localDateTime.ToUniversalTime();
return (long)(univDateTime - UnixEpoch).TotalMilliseconds;
}