当JSON没有反序列化到我的对象时,如何抛出异常

时间:2012-03-19 23:33:27

标签: .net json serialization automated-tests

我正在针对.NET中的RESTful Web服务(JSON有效负载)编写测试自动化,并希望验证发送给我的对象完全我定义的DTO中的字段,而不是更多或更少。

但是,我正在使用的序列化方法(System.Web.Script.Serialization)似乎并不介意对象类型何时不匹配。

    private class Dog
    {
        public string name;
    }
    private class Cat
    {
        public int legs;
    }
    static void Main(string[] args)
    {
        var dog = new Dog {name = "Fido"};
        var serializer = new JavaScriptSerializer();
        String jsonString = serializer.Serialize(dog);
        var deserializer = new JavaScriptSerializer();
        Cat cat = (Cat)deserializer.Deserialize(jsonString, typeof(Cat)); 
        //No Exception Thrown! Cat has 0 legs.
    }

是否有支持此要求的.NET序列化库?其他方法?

1 个答案:

答案 0 :(得分:3)

您可以使用JSON Schema验证来解决此问题。最简单的方法是使用Json.NET的模式反射功能,如下所示:

using System.Diagnostics;
using Newtonsoft.Json;
using Newtonsoft.Json.Schema;

public class Dog
{
    public string name;
}

public class Cat
{
    public int legs;
}

public class Program
{
    public static void Main()
    {
        var dog = new Dog {name = "Fido"};

        // Serialize the dog
        string serializedDog = JsonConvert.SerializeObject(dog);

        // Infer the schemas from the .NET types
        var schemaGenerator = new JsonSchemaGenerator();
        var dogSchema = schemaGenerator.Generate(typeof (Dog));
        var catSchema = schemaGenerator.Generate(typeof (Cat));

        // Deserialize the dog and run validation
        var dogInPotentia = Newtonsoft.Json.Linq.JObject.Parse(serializedDog);

        Debug.Assert(dogInPotentia.IsValid(dogSchema));
        Debug.Assert(!dogInPotentia.IsValid(catSchema));

        if (dogInPotentia.IsValid(dogSchema))
        {
            Dog reconstitutedDog = dogInPotentia.ToObject<Dog>();
        }
    }
}

您可以在功能here上找到更多常规信息。