JSonConverter没有在C#WebAPI中为我的模型的属性激发
本文关键字:模型 属性 我的 C#WebAPI JSonConverter | 更新日期: 2023-09-27 17:58:20
我的WebAPI应用程序中有一个模型,它是用.NET 4.0编写的,具有System.Net.Mime.ContentType
类型的属性,如下所示:
[Serializable]
public class FileData
{
private ContentType contentType;
private long size;
private string name;
public ContentType ContentType
{
get { return contentType; }
set { contentType = value; }
}
...
/* same getter/setter logic for the other fields */
}
该模型位于与我的web项目分离的程序集中。
因此,客户端向我发送一条JSON消息,我需要将其转换为以下类:
{
"size": 12345,
"contentType": "image/png",
"name": "avatar.png"
}
为了告诉Json.NET如何转换ContentType
,我注册了一个自定义的JsonConverter
,我为此编写了:
JsonFormatter.SerializerSettings.Converters.Add(new ContentTypeJsonConverter());
在上面的代码中,我指的是WebApi应用程序的全局JsonFormatter
对象。
因此,当客户端向我发送JSON时,我希望控制器能够正确地解析消息。
不幸的是,它失败了,出现了一个错误:
"无法从System.String强制转换或转换为System.Net.Mime.ContentType。"
我知道我可以通过在FileData
类中添加以下代码来解决这个问题:
public class FileData
{
...
[JsonConverter(typeof(ContentTypeJsonConverter))]
public ContentType ContentType { /* Getter and Setter */ }
}
但问题是,我不能在FileData
类型所在的程序集中引入对JSON.NET的依赖关系。
是否有任何方法可以在不更改FileData
类的情况下触发contentType
成员的正确反序列化?
除了以上内容,我还尝试了Brian Rogers的建议:
JsonFormatter.SerializerSettings.ContractResolver = new CustomResolver();
具有以下CustomResolver
实现:
class CustomResolver : DefaultContractResolver
{
protected override JsonContract CreateContract(Type objectType)
{
var contract = base.CreateContract(objectType);
if (objectType == typeof(ContentType))
{
contract.Converter = new ContentTypeJsonConverter();
}
return contract;
}
}
结果还是一样。
以下内容适用于我(Web API 2)。
型号:
[Serializable]
public class FileData
{
private ContentType contentType;
public ContentType ContentType
{
get { return contentType; }
set { contentType = value; }
}
}
自定义JSON转换器:
public class ContentTypeJsonConverter : JsonConverter
{
public override bool CanConvert(Type objectType)
{
return objectType == typeof(ContentType);
}
public override object ReadJson(JsonReader reader, Type objectType, object existingValue, JsonSerializer serializer)
{
return new ContentType((string)reader.Value);
}
public override void WriteJson(JsonWriter writer, object value, JsonSerializer serializer)
{
writer.WriteValue(((ContentType)value).ToString());
}
}
转换器注册(WebApiConfig.cs
):
public static void Register(HttpConfiguration config)
{
...
config
.Formatters
.JsonFormatter
.SerializerSettings
.Converters
.Add(new ContentTypeJsonConverter());
}
控制器:
public class TestController : ApiController
{
public IHttpActionResult Post(FileData data)
{
return this.Ok(data);
}
}
请求:
POST /api/test HTTP/1.1
Content-Type: application/json
Host: localhost:48278
Content-Length: 36
{
"contentType": "image/png"
}
响应:
HTTP/1.1 200 OK
Cache-Control: no-cache
Pragma: no-cache
Content-Type: application/json; charset=utf-8
Expires: -1
Server: Microsoft-IIS/10.0
X-AspNet-Version: 4.0.30319
X-SourceFiles: =?UTF-8?B?ZDpcd29ya1xUb0REXGFwaVx0ZXN0?=
X-Powered-By: ASP.NET
Date: Mon, 25 Jul 2016 07:06:02 GMT
Content-Length: 27
{"contentType":"image/png"}