我对lua
经验不足,无法完成简单的任务(我认为):
给出一个包含时间戳记的字符串(从XML文件解析),如何使用lua script
将它转换为UTC格式的TIMESTAMP?
my_date = "2019-11-21T22:35:03.332+02:00"
基本上,我想编写一个函数/脚本,当传递这样的字符串时,我将获得一个空字符串(如果无法转换)或UTC格式为(YYYY-MM-DD HH:MS:SS)
的时间戳记
在my_date
中,最后部分 ... + 02:00 表示(本地)时间比UTC提前2小时。
my_utc_date = "2019-11-21 20:35:03"
答案 0 :(得分:1)
有几种方法可以实现您的目标。在这里,我向您展示如何使用string.match和string patterns来获取字符串元素。其余的是简单的数学。
-- our input
local my_date = "2019-11-21T22:35:03.332+02:00"
-- we can just keep anything befor T as our date
local day = my_date:match("(.*)T")
-- now parse the UTC offset
local offsetH, offsetM = my_date:match("([%+%-]%d%d):(%d%d)")
-- apply sign to our minute offset
offsetM = offsetM * (tonumber(offsetH) > 0 and 1 or -1)
-- get time components
local h, m, s, ms = my_date:match("(%d%d):(%d%d):(%d%d).(%d%d%d)")
-- fix our and minute to get UTC
h = h - offsetH
m = m - offsetM
-- round seconds as we have microseconds in our input
s = math.floor(s + ms / 1000 + .5)
-- now put everything together with leading zeros
local my_utc_date = string.format("%s %02d:%02d:%02d", day, h, m, s)
print(my_utc_date)