我正在使用RestSharp来使用REST Web服务。我已经实现了自己的Response对象类,可以在RestSharp中集成自动序列化/反序列化。
我还添加了一个可以正常工作的枚举映射。
这个类的问题是,当我发送正确的请求时,我得到了一个正确的响应,所以Response.Content包含了我的期望,但是反序列化过程无法正常工作。
Response.Content
{
"resultCode": "SUCCESS",
"hub.sessionId": "95864537-4a92-4fb7-8f6e-7880ce655d86"
}
ResultCode
属性正确映射到ResultCode.SUCCESS
枚举值,但HubSessionId
属性始终为null
,因此它似乎没有反序列化。
我看到的唯一可能的问题是带有'。'的JSON PropertyName。在名字里。这可能是问题吗?这是否与新的JSON Serializer不相关,而不是Newtonsoft.Json?我该如何解决?
更新
我发现Json属性被完全忽略,[JsonConverter(typeof(StringEnumConverter))]
也是如此。因此我认为枚举映射是由默认的Serializer自动执行的,没有任何属性。
“hub.sessionId”属性的问题仍然存在。
这是我的代码
public class LoginResponse
{
[JsonProperty(PropertyName = "resultCode")]
[JsonConverter(typeof(StringEnumConverter))]
public ResultCode ResultCode { get; set; }
[JsonProperty(PropertyName = "hub.sessionId")]
public string HubSessionId { get; set; }
}
public enum ResultCode
{
SUCCESS,
FAILURE
}
// Executes the request and deserialize the JSON to the corresponding
// Response object type.
private T Execute<T>(RestRequest request) where T : new()
{
RestClient client = new RestClient(BaseUrl);
request.RequestFormat = DataFormat.Json;
IRestResponse<T> response = client.Execute<T>(request);
if (response.ErrorException != null)
{
const string message = "Error!";
throw new ApplicationException(message, response.ErrorException);
}
return response.Data;
}
public LoginResponse Login()
{
RestRequest request = new RestRequest(Method.POST);
request.Resource = "login";
request.AddParameter("username", Username, ParameterType.GetOrPost);
request.AddParameter("password", Password, ParameterType.GetOrPost);
LoginResponse response = Execute<LoginResponse>(request);
HubSessionId = response.HubSessionId; // Always null!
return response;
}
答案 0 :(得分:5)
使用自定义JSON Serializer
和Deserializer
解决,在 Newtonsoft的JSON.NET 的情况下。
我按照Philipp Wagner在article中解释的步骤进行了操作。
我还注意到,使用默认Request
的{{1}}序列化无法按预期使用枚举。它不是序列化枚举字符串值,而是放置enum int值,取自我的枚举定义。
现在使用JSON.NET,序列化和反序列化过程可以正常工作。