How to add an extra property into a serialized JSO

2020-01-30 06:34发布

I am using Json.net in my MVC 4 program.

I have an object item of class Item.

I did: string j = JsonConvert.SerializeObject(item);

Now I want to add an extra property, like "feeClass" : "A" into j.

How can I use Json.net to achieve this?

标签: json json.net
2条回答
劳资没心,怎么记你
2楼-- · 2020-01-30 07:12

You could use ExpandoObject. Deserialize to that, add your property, and serialize back.

Pseudocode:

Expando obj = JsonConvert.Deserializeobject<Expando>(jsonstring);
obj.AddeProp = "somevalue";
string addedPropString = JsonConvert.Serializeobject(obj);
查看更多
We Are One
3楼-- · 2020-01-30 07:19

You have a few options.

The easiest way, as @Manvik suggested, is simply to add another property to your class and set its value prior to serializing.

If you don't want to do that, the next easiest way is to load your object into a JObject, append the new property value, then write out the JSON from there. Here is a simple example:

class Item
{
    public int ID { get; set; }
    public string Name { get; set; }
}

class Program
{
    static void Main(string[] args)
    {
        Item item = new Item { ID = 1234, Name = "FooBar" };
        JObject jo = JObject.FromObject(item);
        jo.Add("feeClass", "A");
        string json = jo.ToString();
        Console.WriteLine(json);
    }
}

Here is the output of the above:

{
  "ID": 1234,
  "Name": "FooBar",
  "feeClass": "A"
}

Another possibility is to create a custom JsonConverter for your Item class and use that during serialization. A JsonConverter allows you to have complete control over what gets written during the serialization process for a particular class. You can add properties, suppress properties, or even write out a different structure if you want. For this particular situation, I think it is probably overkill, but it is another option.

查看更多
登录 后发表回答