29

我开始将我拥有的一些代码迁移Newtonsoft.JsonSystem.Text.Json.net Core 3.0 应用程序中。

我从

[JsonProperty("id")][JsonPropertyName("id")]

但我有一些用属性装饰的JsonConverter属性:

[JsonConverter(typeof(DateTimeConverter))] [JsonPropertyName("birth_date")] DateTime BirthDate{ get; set; }

System.Text.Json但是我在Does someone know how can be implemented in .net Core 3.0中找不到这个Newtonsoft转换器的等价物?

谢谢!

4

2 回答 2

31

System.Text.Json现在支持 .NET 3.0 preview-7 及更高版本中的自定义类型转换器。

您可以添加与类型匹配的转换器,并使用JsonConverter属性将特定转换器用于属性。

long这是一个在和之间转换的示例string(因为 javascript 不支持 64 位整数)。

public class LongToStringConverter : JsonConverter<long>
{
    public override long Read(ref Utf8JsonReader reader, Type type, JsonSerializerOptions options)
    {
        if (reader.TokenType == JsonTokenType.String)
        {
            // try to parse number directly from bytes
            ReadOnlySpan<byte> span = reader.HasValueSequence ? reader.ValueSequence.ToArray() : reader.ValueSpan;
            if (Utf8Parser.TryParse(span, out long number, out int bytesConsumed) && span.Length == bytesConsumed)
                return number;

            // try to parse from a string if the above failed, this covers cases with other escaped/UTF characters
            if (Int64.TryParse(reader.GetString(), out number))
                return number;
        }

        // fallback to default handling
        return reader.GetInt64();
    }

    public override void Write(Utf8JsonWriter writer, long value, JsonSerializerOptions options)
    {
        writer.WriteStringValue(value.ToString());
    }
}

通过将转换器添加到Converters列表中来注册转换器JsonSerializerOptions

services.AddControllers().AddJsonOptions(options =>
{
    options.JsonSerializerOptions.Converters.Add(new LongToStringConverter());
});

注意:当前版本还不支持可为空的类型。

于 2019-08-03T01:24:21.997 回答
3

您可以JsonConverterAttribute在命名空间中找到System.Text.Json.Serialization

https://docs.microsoft.com/en-us/dotnet/api/system.text.json.serialization.jsonconverterattribute?view=netcore-3.0

于 2019-09-25T19:01:08.160 回答