1

我的应用程序是asp.net。我必须将一些值发送回服务器。为此,我创建了一个对象序列化它并将其发送到服务器。在服务器我尝试反序列化它以下是我的代码

   [Serializable]
    public class PassData
    {
        public PassData()
        {  
        }

        public List<testWh> SelectedId { get; set; }

        public string SelectedControlClientId { get; set; }

        public string GroupTypeId { get; set; }

        public string SectionTypeId { get; set; }

  }


    [Serializable]
    public class testWh
    {
        public testWh()

        {
        }
        public string Id { get; set; }
    }


JavaScriptSerializer serializer = new JavaScriptSerializer();
//this can not serialize the SelectedId and the count remains 0
PassData data = serializer.Deserialize<PassData>(jsonString);
//this serialize in an anonymous object with key value pair
var data2 = serializer.DeserializeObject(textHiddenArguments.Text);

以下是我的 Json 序列化字符串

{
   "SelectedId":{"0":"ABCD","1":"JKLM"},
   "SelectedControlClientId":"YTUTOOO",
   "GroupTypeId":3,
   "SectionTypeId":"1"
}

引号转义字符串

"{\"SelectedId\":{\"0\":\"ABCD\",\"1\":\"JKLM\"},\"SelectedControlClientId\":\"YTUTOOO\",\"GroupTypeId\":3,\"SectionTypeId\":\"1\"}"

我的问题是选定的 Id 是 testWH 对象的数组。但是当我尝试反序列化它时,作为列表的 PassData 的 SelectedId 属性不会被序列化并且计数保持为零。

我尝试使用数组而不是列表,这给出了一个异常“无参数少构造函数......”

谁能解释我在这里做错了什么?

4

1 回答 1

2

这里的关键问题是 JSON 与您构建的对象不匹配。您可以通过编写所需的数据并序列化来看到这一点:

var obj = new PassData
{
    SelectedId = new List<testWh>
    {
        new testWh { Id = "ABCD"},
        new testWh { Id = "JKLM"}
    },
    GroupTypeId = "3",
    SectionTypeId = "1",
    SelectedControlClientId = "YTUTOOO"
};
string jsonString = serializer.Serialize(obj);

这给了JSON像:

{"SelectedId":[{"Id":"ABCD"},{"Id":"JKLM"}],
 "SelectedControlClientId":"YTUTOOO","GroupTypeId":"3","SectionTypeId":"1"}

因此,现在您需要决定要更改哪个;JSON 或类。以下替代类适用于您的原始 JSON,例如:

public class PassData
{
    public Dictionary<string,string> SelectedId { get; set; }
    public string SelectedControlClientId { get; set; }
    public string GroupTypeId { get; set; }
    public string SectionTypeId { get; set; }
}
于 2012-05-18T07:10:36.367 回答