如何从JSON.Net转换日期时间格式,例如:
/日期(11549.7亿+ 0700)/
到ISO- ??格式 2011-12-18T23:34:59Z
最好是Python或Javascript。
我决定使用后者,因为它似乎在JS世界中使用最广泛,人性化且可自然排序。我将基于每个用户存储偏移量。
如果某个实现再次有点问,如果有人能告诉我两种格式的正确名称,我可能会更加了解如何转换。
答案 0 :(得分:3)
[替换答案]
这是Python 2.x版本。对于Python 3.x,只需要更改测试部分中的print语句。
据我可以通过谷歌搜索确定:主要成分是自1970-01-01以来的毫秒。这可能是消极的。对于正数,预计不会有+
个符号。这之后可以是UTC的可选偏移量,其由5个字符组成:强制性符号(+
或-
),小时数2位,分钟数2位数。以上所有内容前面都有“/ Date(”和后面跟着“)/”。
这个答案提供了将JSON.NET字符串转换为Python datetime.datetime
(时间戳)对象的功能,以及2个函数,分别将ISO格式截断为秒和毫秒。
脚本:
# /Date(1154970000000+0700)/
# 0123456............7654321
# without timezone:
# /Date(1154970000000)/
# 0123456............21
# dodgy case
# /Date(-1234)/
# 3210987654321
import datetime
def json_date_as_datetime(jd):
sign = jd[-7]
if sign not in '-+' or len(jd) == 13:
millisecs = int(jd[6:-2])
else:
millisecs = int(jd[6:-7])
hh = int(jd[-7:-4])
mm = int(jd[-4:-2])
if sign == '-': mm = -mm
millisecs += (hh * 60 + mm) * 60000
return datetime.datetime(1970, 1, 1) \
+ datetime.timedelta(microseconds=millisecs * 1000)
def datetime_as_iso(dt):
return dt.strftime("%Y-%m-%dT%H:%M:%SZ") # truncates
def datetime_as_iso_ms(dt): # with millisecs as fraction
return dt.strftime("%Y-%m-%dT%H:%M:%S.%%03dZ") \
% (dt.microsecond // 1000) # truncate
if __name__ == "__main__":
tests = """\
/Date(1154970000000+0700)/
/Date(-1234)/
/Date(1000+0200)/
/Date(0+0000)/
/Date(0)/
/Date(0-0700)/
/Date(0-0730)/
/Date(0-0030)/
/Date(-1577923200000+0000)/
/Date(1)/
/Date(499)/
/Date(500)/
/Date(501)/
/Date(999)/
/Date(1000)/
/Date(-1)/
""".splitlines()
for test in tests:
test = test.strip()
if not test: continue
d = json_date_as_datetime(test)
print datetime_as_iso_ms(d), test
输出:
2006-08-08T00:00:00.000Z /Date(1154970000000+0700)/
1969-12-31T23:59:58.766Z /Date(-1234)/
1970-01-01T02:00:01.000Z /Date(1000+0200)/
1970-01-01T00:00:00.000Z /Date(0+0000)/
1970-01-01T00:00:00.000Z /Date(0)/
1969-12-31T17:00:00.000Z /Date(0-0700)/
1969-12-31T16:30:00.000Z /Date(0-0730)/
1969-12-31T23:30:00.000Z /Date(0-0030)/
1920-01-01T00:00:00.000Z /Date(-1577923200000+0000)/
1970-01-01T00:00:00.001Z /Date(1)/
1970-01-01T00:00:00.499Z /Date(499)/
1970-01-01T00:00:00.500Z /Date(500)/
1970-01-01T00:00:00.501Z /Date(501)/
1970-01-01T00:00:00.999Z /Date(999)/
1970-01-01T00:00:01.000Z /Date(1000)/
1969-12-31T23:59:59.999Z /Date(-1)/
答案 1 :(得分:1)
jsonDate = "/Date(1154970000000+0700)/";
var strDate = parseInt(jsonDate.replace(/\/Date\(([-\d]+).*$/, "$1"));
var strHour = parseInt(jsonDate.replace(/.*\d([+-]\d\d).*$/, "$1"), 10);
var strMin = parseInt(jsonDate.replace(/.*\d([+-])\d\d(\d\d).*$/, "$1$2"), 10);
var date = new Date(strDate);
if (!isNaN(strHour)) date.setHours(date.getHours() + strHour);
if (!isNaN(strMin)) date.setMinutes(date.getMinutes() + strMin);
var out = date.toISOString();
转换为ISO的功能:
var toISOString = Date.prototype.toISOString ?
function(d){return d}:
(function(){
function t(i){return i<10?"0"+i:i};
function h(i){return i.length<2?"00"+i:i.length<3?"0"+i:3<i.length?Math.round(i/Math.pow(10,i.length-3)):i};
function toISOString(){
return "".concat(
this.getUTCFullYear(), "-",
t(this.getUTCMonth() + 1), "-",
t(this.getUTCDate()), "T",
t(this.getUTCHours()), ":",
t(this.getUTCMinutes()), ":",
t(this.getUTCSeconds()), ".",
h("" + this.getUTCMilliseconds()), "Z"
);
};
return function(d){
d.toISOString = toISOString;
return d;
}
})();
答案 2 :(得分:0)
返回时区感知的日期时间,并为John Machin's test cases和"/Date(1428145200000+1200)/"
提供正确的输出
的Python> 3.3兼容。对于2.7,请使用pytz.utc
而不是datetime.timezone.utc
。
from datetime import datetime, timedelta, timezone
import re
def jsondate(jsondate, tzinfo=timezone.utc):
"""Converts an ASP.NET json date: "/DATE(x)/" to tz-aware datetime object."""
regex = (
r"/Date\("
r"(?P<milleseconds>[\-]?\d+)"
r"(?P<offset>"
r"(?P<offset_sign>[\+\-])"
r"(?P<offset_hours>[01][0-9]|2[0-3])"
r"(?P<offset_mins>[0-5][0-9])"
r")?\)/"
)
try:
parts = re.match(regex, jsondate).groupdict()
except (AttributeError, TypeError):
raise ValueError("Unsupported ASP.NET JSON Date Format: %s" % jsondate)
since_epoch = timedelta(microseconds=1000 * int(parts['milleseconds']))
if parts.get('offset'):
since_epoch += timedelta(
hours=int("%s%s" % (parts['offset_sign'], parts['offset_hours'])),
minutes=int("%s%s" % (parts['offset_sign'], parts['offset_mins']))
)
return datetime(year=1970, month=1, day=1, tzinfo=tzinfo) + since_epoch
答案 3 :(得分:0)
这是我几年前写的一个小类,用于清理某些.NET库生成的这种无效JSON:
class DotNETDecoder(simplejson.JSONDecoder):
'''
This is a decoder to convert .NET encoded JSON into python objects
The motivation for this is the way .NET encodes dates.
See:
https://msdn.microsoft.com/en-us/library/bb299886.aspx#intro_to_json_topic2
.NET encodes datetimes like this: "\/Date(628318530718)\/"
'''
def __init__(self, timezone, *args, **kwargs) -> None:
super().__init__(*args, **kwargs)
self.parse_string = self._date_parse_string(timezone)
self.scan_once = py_make_scanner(self)
@staticmethod
def _date_parse_string(timezone):
def _parse_string(string, idx, encoding, strict):
obj = scanstring(string, idx, encoding, strict)
if isinstance(obj[0], str):
match = date_match.search(obj[0])
if match:
return [dt.datetime.fromtimestamp(
int(match.group(1)) / 1000, timezone),
obj[1]]
return obj
return _parse_string
还有一个测试用例/示例:
def test_can_decode_dotnet_json_dates():
jsonstr = '{"date": "Date(1330848000000)", "f": "b", "l": [], "i": 5}'
timezone = pytz.timezone('America/New_York')
obj = json.loads(jsonstr, cls=DotNETDecoder, timezone=timezone)
assert obj['date'] == timezone.localize(dt.datetime(2012, 3, 4, 3, 0))
assert obj['f'] == "b"
assert obj['i'] == 5
assert obj['l'] == []