从web api反序列化响应正文

时间:2015-08-12 10:51:31

标签: c# asp.net-web-api deserialization dotnet-httpclient

此代码是来自api的样本响应主体。

message_type=incoming&mobile_number=639181234567&shortcode=29290123456&request_id=5048303030534D415254303030303032393230303032303030303030303133323030303036333933393932333934303030303030313331313035303735383137&message=This+is+a+test+message&timestamp=1383609498.44

有没有办法将响应主体放置到像这样的实体的属性中? 或者像响应体那样反序列化?

public class SampleApi
{
    public string MessageId { get; set; }

    public string MessageType { get; set; }

    public string MobileNumber { get; set; }

    public string Message { get; set; }

    public string ShortCode { get; set; }

    public string ClientId { get; set; }

    public string SecretKey { get; set; }

    //Start From Reply Api

    public string RequestId { get; set; }
}   

3 个答案:

答案 0 :(得分:1)

它是一种自定义消息格式(不是XML或JSON),因此唯一的方法是将字符串拆分为"&"然后在" ="上拆分每个名称/值对并将其映射到您的类属性。

答案 1 :(得分:1)

在控制器中,您可以直接使用您的类型

    ActionResult YourApiAction(SampleApi sampleApi)
    {
        var allMapped = sampleApi.MappMessage();
        ....allMapped.MessageType...
    }

但是消息中的名称必须与youy类型中的名称相同。 message_type - >应该是MessageType等。 然后魔术会直接在你的类型中序列化你的消息。

我的评论:

 class SampleApi
 {
    string message_type { get; set; }
    string MessageType { get; private set }

    SampleApi MappMessage()
    {
       MessageType = message_type;
       return this;
    }
 }

答案 2 :(得分:1)

您可以为它编写自定义反序列化程序

public T Deserialize<T>(string resp) where T : new()
{
    var nameValuePairs = HttpUtility.ParseQueryString(resp);
    var obj = new T();
    var props = obj.GetType().GetProperties()
                   .ToDictionary(p => p.Name.Replace("_","") , p => p, StringComparer.InvariantCultureIgnoreCase);
    foreach(var key in nameValuePairs.AllKeys)
    {
        var newkey = key.Replace("_", "");
        if (props.ContainsKey(newkey))
            props[newkey].SetValue(obj, Convert.ChangeType(nameValuePairs[key], props[newkey].PropertyType));
    }
    return obj;
}

并用作

string response = "message_type=incoming&mobile_number=639181234567&shortcode=29290123456&request_id=5048303030534D415254303030303032393230303032303030303030303133323030303036333933393932333934303030303030313331313035303735383137&message=This+is+a+test+message&timestamp=1383609498.44";
var sampleApi = Deserialize<SampleApi>(response);