在使用Json.NET进行JSON序列化时覆盖JsonPropertyAttribute
在使用ASP.Net MVC和Json.Net进行JSON序列化的场景中,利用[JsonProperty(PropertyName = "shortName")]
属性来优化有效负载大小非常有效。当接收方是另一个.Net应用程序或服务时,这种方法非常有用,因为反序列化使用原始属性名称重新组装对象层次结构,同时最小化有效负载大小。
但是,当客户端是通过浏览器访问的JavaScript或Ajax应用程序时,就会出现问题。客户端接收具有缩短属性名称的JSON,这会妨碍最佳使用。本文探讨如何以编程方式在JSON序列化期间绕过[JsonProperty(PropertyName = "shortName")]
属性。
为此,使用自定义契约解析器是最佳解决方案。以下是实现:
<code class="language-csharp">public class LongNameContractResolver : DefaultContractResolver { protected override IList<JsonProperty> CreateProperties(Type type, MemberSerialization memberSerialization) { // 使用基类生成具有简短名称的JsonProperty IList<JsonProperty> properties = base.CreateProperties(type, memberSerialization); // 将简短名称替换为原始属性名称 foreach (JsonProperty property in properties) { property.PropertyName = property.UnderlyingName; } return properties; } }</code>
通过集成自定义解析器,您可以轻松控制序列化行为。其有效性如下所示:
<code class="language-csharp">public class Program { public static void Main(string[] args) { Foo foo = new Foo { CustomerName = "Bubba Gump Shrimp Company", CustomerNumber = "BG60938" }; Console.WriteLine("--- 使用JsonProperty名称 ---"); Console.WriteLine(Serialize(foo, false)); Console.WriteLine(); Console.WriteLine("--- 忽略JsonProperty名称 ---"); Console.WriteLine(Serialize(foo, true)); } public static string Serialize(object obj, bool useLongNames) { JsonSerializerSettings settings = new JsonSerializerSettings(); settings.Formatting = Formatting.Indented; if (useLongNames) { settings.ContractResolver = new LongNameContractResolver(); } return JsonConvert.SerializeObject(obj, settings); } }</code>
输出:
<code class="language-json">--- 使用JsonProperty名称 --- { "cust-num": "BG60938", "cust-name": "Bubba Gump Shrimp Company" } --- 忽略JsonProperty名称 --- { "CustomerNumber": "BG60938", "CustomerName": "Bubba Gump Shrimp Company" }</code>
以上是如何在使用 Json.NET 进行 JSON 序列化期间覆盖 JsonProperty 属性?的详细内容。更多信息请关注PHP中文网其他相关文章!