用于JSON的Newtonsoft Json转换器和过滤器 [英] Newtonsoft Json converter for json with filters

查看:66
本文介绍了用于JSON的Newtonsoft Json转换器和过滤器的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!

问题描述

我正在像这样编写json转换器:

I am writing converter for json like this:

{
    "datatable": {
        "data": [
            [
                "A85002072C",
                "1994-11-15",
                678.9
            ]
        ],
        "columns": [
            {
                "name": "series_id",
                "type": "String"
            },
            {
                "name": "date",
                "type": "Date"
            },
            {
                "name": "value",
                "type": "double"
            }
        ]
    },
    "meta": {
        "next_cursor_id": null
    }
}

此刻,我的转换器看起来像这样:

At the moment my converter looks like this:

    public class AbsToModelConverter : JsonConverter
    {

        public override bool CanConvert(Type objectType)
        {
            return objectType.Name.Equals("AbsFseModel");
        }

        public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
        {

            JArray array = JArray.Load(reader);
            return new QuandlAbsModel
            {
                SeriesId = array[0].ToString(),
                Date = array[1].ToObject<DateTime>(),
                Value = array[2].ToObject<decimal?>()
            };
        }

        public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
        {
            var orderItem = value as QuandlAbsModel;
            JArray arra = new JArray();
            arra.Add(orderItem.SeriesId);
            arra.Add(orderItem.Date);
            arra.Add(orderItem.Value);

            arra.WriteTo(writer);
        }
    }

目前可以使用,但是当我使用过滤器时,我的json可能无法包含完整的数据,例如:

It works at the moment, but when i am using filters my json can contain not full data, for example:

"data":[["1994-11-15",678.9]]

我的JsonConverter停止工作,因为没有元素array [2]并引发错误.问题是数据数组中的元素没有名称(我从Web API获取JSON,所以我根本无法更改JSON).有什么方法可以使我的转换器使用过滤器反序列化json吗?

And my JsonConverter stops working, because there is no element array[2] and it throws error. Problem is that elements in data array don't have names (i get JSON from web API, so i can't change json at all). Is there any way to make my converter deserialize json with filters?

我在数据表后的json中有列名,也许这会有所帮助.但是我不明白如何使用自动取款机.有什么建议吗?

I have column names in my json after the data table, maybe this will help. But i don't understand how i can use them atm. Any advices?

推荐答案

JLRishe是正确的,您的问题无需定制转换器即可解决.在许多情况下,这是一个好方法.如果您能够在JSON序列化器/反序列化器上插入翻译,则与自定义JsonConverter相比,它可能更容易编写,理解和维护.它的实质类似于Java世界中使用的序列化代理模式".本质上,您是在序列化之前将数据复制到特定于序列化的新对象,然后进行相反的操作以重新序列化.

JLRishe is correct that your problem is solvable without a custom converter. That's a good approach in many cases. If you're able to insert a translation over the JSON serializer/deserializer, it might be simpler to write, understand, and maintain than a custom JsonConverter. It's similar in spirit to the "serialization proxy pattern" used in the Java world. In essence, you're copying your data to a new serialization-specific object before serializing, and then doing the reverse to re-serialize.

使用自定义转换器可以解决此问题,我已经写了一个示例来说明可以做到这一点,但请务必先考虑使用翻译代理/层.

This problem is solvable with a custom converter, and I've written an example to show that it can be done, but do consider using a translation proxy/layer first.

此示例是概念验证;不是生产就绪的代码.我很少投入精力来防范格式错误的输入或其他错误.它对不同字段/类型的处理也非常基本-对字段/类型的任何更改都将需要对转换器进行更改.随着时间的推移,这种脆弱性可能会导致错误和维护麻烦.

This example is a proof-of-concept; not production-ready code. I made very little effort to defend against malformed input or other errors. Its handling of the different fields/types is also very rudimentary--any changes to the fields/types will require changes to the converter. That sort of brittleness is likely to cause bugs and maintenance headaches over time.

为了稍微缩小问题的范围,我将原始问题的示例JSON减少到最低限度:

To narrow down the problem a bit, I reduced the original question's sample JSON to its bare minimum:

{
  "datatable": {
    "data": [
      "A85002072C",
      "1994-11-15",
      678.9
    ],
    "columns": [
      {
        "name": "series_id"
      },
      {
        "name": "date"
      },
      {
        "name": "value"
      }
    ]
  }
}

作为参考,这是我反序列化的C#类定义:

For reference, here's the C# class definition I'm deserializing to:

public class Model
{
    public string SeriesId { get; set; }
    public DateTime Date { get; set; }
    public Decimal? Value { get; set; }
}

这是概念验证转换器:

public sealed class ModelConverter : JsonConverter
{
    public static readonly ModelConverter Instance = new ModelConverter();

    private ModelConverter() {}

    public override bool CanConvert(Type objectType) => objectType == typeof(Model);

    public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
    {
        var obj = JObject.Load(reader);

        var data = (JArray)obj["datatable"]["data"];
        var columns = (JArray)obj["datatable"]["columns"];

        if (data.Count != columns.Count)
            throw new InvalidOperationException("data and columns must contain same number of elements");

        var model = new Model();

        for (int i = 0; i < data.Count; i++)
        {
            // A "switch" works well enough so long as the number of fields is finite and small.
            // There are smarter approaches, but I've kept the implementation basic
            // in order to focus on the core problem that was presented.
            switch (columns[i]["name"].ToString())
            {
                case "series_id":
                    model.SeriesId = data[i].ToString();
                    break;
                case "date":
                    model.Date = data[i].ToObject<DateTime>();
                    break;
                case "value":
                    model.Value = data[i].ToObject<decimal?>();
                    break;
            }
        }

        return model;
    }

    public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
    {
        var data = new JArray();
        var columns = new JArray();

        var model = (Model)value;

        // Like the "switch" used in deserialization, these "if" blocks are
        // pretty rudimentary. There are better ways, but I wanted to keep
        // this proof-of-concept implementation simple.
        if (model.SeriesId != default(string))
        {
            data.Add(model.SeriesId);
            columns.Add(new JObject(new JProperty("name", "series_id")));
        }

        if (model.Date != default(DateTime))
        {
            data.Add(model.Date.ToString("yyyy-MM-dd"));
            columns.Add(new JObject(new JProperty("name", "date")));
        }

        if (model.Value != default(Decimal?))
        {
            data.Add(model.Value);
            columns.Add(new JObject(new JProperty("name", "value")));
        }

        var completeObj = new JObject();
        completeObj["datatable"] = new JObject();
        completeObj["datatable"]["data"] = data;
        completeObj["datatable"]["columns"] = columns;

        completeObj.WriteTo(writer);
    }
}

我写了一些单元测试来验证序列化器.这些测试基于 xUnit.Net :

I wrote a few unit tests to verify the serializer. The tests are based on xUnit.Net:

[Fact]
public void TestDeserializeSampleInputWithAllFields()
{
    var json = File.ReadAllText(BasePath + "sampleinput.json");

    var obj = JsonConvert.DeserializeObject<Model>(json, ModelConverter.Instance);

    Assert.Equal("A85002072C", obj.SeriesId);
    Assert.Equal(new DateTime(1994, 11, 15), obj.Date);
    Assert.Equal(678.9M, obj.Value);
}

[Fact]
public void TestSerializeSampleInputWithAllFields()
{
    var model = new Model
    {
        SeriesId = "A85002072C",
        Date = new DateTime(1994, 11, 15),
        Value = 678.9M,
    };

    var expectedJson = File.ReadAllText(BasePath + "sampleinput.json");

    Assert.Equal(expectedJson, JsonConvert.SerializeObject(model, Formatting.Indented, ModelConverter.Instance));
}

并证明串行器在不存在所有字段的情况下工作:

And to prove that the serializer works without all fields present:

{
  "datatable": {
    "data": [
      "B72008039G",
      543.2
    ],
    "columns": [
      {
        "name": "series_id"
      },
      {
        "name": "value"
      }
    ]
  }
}

[Fact]
public void TestDeserializeSampleInputWithNoDate()
{
    var json = File.ReadAllText(BasePath + "sampleinput_NoDate.json");

    var obj = JsonConvert.DeserializeObject<Model>(json, ModelConverter.Instance);

    Assert.Equal("B72008039G", obj.SeriesId);
    Assert.Equal(default(DateTime), obj.Date);
    Assert.Equal(543.2M, obj.Value);
}

[Fact]
public void TestSerializeSampleInputWithNoDate()
{
    var model = new Model
    {
        SeriesId = "B72008039G",
        Value = 543.2M,
    };

    var expectedJson = File.ReadAllText(BasePath + "sampleinput_NoDate.json");

    Assert.Equal(expectedJson, JsonConvert.SerializeObject(model, Formatting.Indented, ModelConverter.Instance));
}

这篇关于用于JSON的Newtonsoft Json转换器和过滤器的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持IT屋!

查看全文
登录 关闭
扫码关注1秒登录
发送“验证码”获取 | 15天全站免登陆