newtonsoft json序列化时间跨度格式

时间:2016-10-05 14:08:36

标签: c# json serialization

是否可以为TimeSpan序列化指定自定义格式? 使用Newtonsoft.Json

我想要格式化HH:mm的序列化字符串,例如:

TimeSpan.FromHours(5) - > //“+05:00”

TimeSpan.FromHours(-5) - > //“-05:00”

谢谢!

3 个答案:

答案 0 :(得分:5)

如您所见[{3}},无法使用预定义设置更改格式(例如DateTime)。

您可以为JsonConverter写一个新的TimeSpan并根据需要处理格式。请务必将其包含在JsonSerializerSettings.Converters中或修改默认设置。

答案 1 :(得分:2)

这是一个TimeSpan转换器,您可以将其添加到项目中:

using System;
using Newtonsoft.Json;

namespace JsonTools
{
    /// <summary>
    /// TimeSpans are not serialized consistently depending on what properties are present. So this 
    /// serializer will ensure the format is maintained no matter what.
    /// </summary>
    public class TimespanConverter : JsonConverter<TimeSpan>
    {
        /// <summary>
        /// Format: Days.Hours:Minutes:Seconds:Milliseconds
        /// </summary>
        public const string TimeSpanFormatString = @"d\.hh\:mm\:ss\:FFF";

        public override void WriteJson(JsonWriter writer, TimeSpan value, JsonSerializer serializer)
        {
            var timespanFormatted = $"{value.ToString(TimeSpanFormatString)}";
            writer.WriteValue(timespanFormatted);
        }

        public override TimeSpan ReadJson(JsonReader reader, Type objectType, TimeSpan existingValue, bool hasExistingValue, JsonSerializer serializer)
        {
            TimeSpan parsedTimeSpan;
            TimeSpan.TryParseExact((string)reader.Value, TimeSpanFormatString, null, out parsedTimeSpan);
            return parsedTimeSpan;
        }
    }
}

可以这样使用:

public class Schedule
{
    [JsonConverter(typeof(TimespanConverter))]
    [JsonProperty(TypeNameHandling = TypeNameHandling.All)]
    public TimeSpan Delay { get; set; }
}

注释:

  1. Reference for TimeSpan serialization formats

  2. 我发现,在使用Newtonsoft生成架构时,我必须包括TypeNameHandling属性,否则TimeSpan类型名称未在生成的架构中正确序列化。出于此目的,这不是必需的,但无论如何我都将其包括在内。

答案 2 :(得分:0)

您可以获取一个DateTime实例,然后从中添加和减去时间,如:

System.DateTime timeNow = System.DateTime.Now;
DateTime futureDateTime = timeNow.Add(new TimeSpan(5, 0, 0));
DateTime prevDateTime = timeNow.Add(new TimeSpan(-5, 0, 0));

指定所需的时间。然后将它们放入字符串格式:

futureDateTime.ToString("hh:mm") // 12 hour clock

要将字符串值反序列化为具有特定格式的DateTime对象,可以在此帖子中指定DateTimeFormat和IsoDateTimeConverter: Deserializing dates with dd/mm/yyyy format using Json.Net