我在这里得到了这个JSON:
{
"id": "-KDYmr0aI0UmjKRyd465",
"name": "No Name",
"presentation": {
"fields": [
{
"defaultValue": "Erste Node",
"id": "test",
"title": "test",
"type": "text"
},
{
"defaultValue": "Zweite node",
"id": "test2",
"title": "test2",
"type": "text"
}
]
},
"thumbnail": "/images/defaultimage.png",
"updated": "2016-03-23T14:05:32+00:00",
"userData": {
"test": "Erste Node",
"test2": "Zweite node"
}
}
userData会根据用户是否添加一些数据而更改。因此,假设用户添加了一些数据,例如{"test3":"More testdata"}
,用户数据json将如下所示:
"userData": {
"test": "Erste Node",
"test2": "Zweite node",
"test3": "More testdata"
}
此外,字段也会相应更新,但我知道如何将这些字段映射到C#类。 我的问题是我如何能够将此userData序列化为C#类 - 而且还可以从这里使用RestSharp客户端:http://restsharp.org/
这几乎就是我的课程的样子。但我不知道如何映射userData ...
public class Field
{
public string defaultValue { get; set; }
public string id { get; set; }
public string title { get; set; }
public string type { get; set; }
}
public class Presentation
{
public List<Field> fields { get; set; }
}
public class RootObject
{
public string id { get; set; }
public string name { get; set; }
public Presentation presentation { get; set; }
public string thumbnail { get; set; }
public string updated { get; set; }
public UserData userData { get; set; }
}
答案 0 :(得分:2)
这里的一个简单提示是,对于用户数据,您应该使用Dictionary。这将灵活地动态添加尽可能多的userData(键值对)。重要的是,这将像普通类一样序列化为JSON。
答案 1 :(得分:1)
您可以使用JSON.NET将json序列化为c#类,我相信您知道(我认为RestSharp使用此库)。当您从服务中获取json时,请使用DeserializeObject并定义要映射到的类:
var json = "{ \"id\": \"-KDYmr0aI0UmjKRyd465\", \"name\": \"No Name\", \"presentation\": { \"fields\": [ { \"defaultValue\": \"Erste Node\", \"id\": \"test\", \"title\": \"test\", \"type\": \"text\" }, { \"defaultValue\": \"Zweite node\", \"id\": \"test2\", \"title\": \"test2\", \"type\": \"text\" } ] }, \"thumbnail\": \"/images/defaultimage.png\", \"updated\": \"2016-03-23T14:05:32+00:00\", \"userData\": { \"test\": \"Erste Node\", \"test2\": \"Zweite node\" } }";
var result = JsonConvert.DeserializeObject<RootObject>(json);
现在要处理可以更改为不同长度的userData节点,我会将我的类更改为动态&#39;可以处理此数据的类型。所以我的班级将成为:
public class RootObject
{
public string id { get; set; }
public string name { get; set; }
public Presentation presentation { get; set; }
public string thumbnail { get; set; }
public string updated { get; set; }
public dynamic userData { get; set; }
}
迭代动态userData属性:
foreach(var data in result.userData)
{
var name = data.Name;
var value = data.Value;
}
答案 2 :(得分:1)
我认为,您可以将Dictionary用于userData属性
public class Field
{
public string defaultValue { get; set; }
public string id { get; set; }
public string title { get; set; }
public string type { get; set; }
}
public class Presentation
{
public List<Field> fields { get; set; }
}
public class RootObject
{
public string id { get; set; }
public string name { get; set; }
public Presentation presentation { get; set; }
public string thumbnail { get; set; }
public string updated { get; set; }
public Dictionary<string, string> userData { get; set; }
}