Reputation: 195
This is driving me nuts... I am serializing a List to JSON using Json.net. I expect this JSON:
{
"fieldsets": [
{
"properties": [
{
"alias": "date",
"value": "2014-02-12T00:00:00"
},
{
"alias": "time",
"value": null
}
],
"alias": "eventDates",
"disabled": false
}
]
}
But instead I get this:
{
"fieldsets": [
{
"properties": [
{
"values": [
{
"alias": "date",
"value": "2014-07-13T00:00:00"
},
{
"alias": "time",
"value": "Registration begins at 8:00 AM; walk begins at 9:00 AM"
}
]
}
],
"alias": "eventDates",
"disabled": false
}
]
}
The "values" collection I'd like as just a JSON array, but I can't for the life of me figure out how to get it to do this. I have a property on my "properties" objects called "values", so I understand why it's doing it, but I need just the straight array, not a JSON object.
Upvotes: 8
Views: 17648
Reputation: 1
You can convert to JObject:
JObject jsonObject = JObject.Parse(myJsonString);
Navigation by key:
jsonObject["property"]["value"];//Property is value / object
jsonObject["value"];
Navigation by index:
jsonObject[0]["value"]; // Property is array / list
jsonObject[0];
Upvotes: 0
Reputation: 15284
For that response, you need this class structure
public class Property
{
[JsonProperty("alias")]
public string Alias { get; set; }
[JsonProperty("value")]
public string Value { get; set; }
}
public class Fieldset
{
[JsonProperty("properties")]
public Property[] Properties { get; set; }
[JsonProperty("alias")]
public string Alias { get; set; }
[JsonProperty("disabled")]
public bool Disabled { get; set; }
}
public class Response
{
[JsonProperty("fieldsets")]
public Fieldset[] Fieldsets { get; set; }
}
Upvotes: 11
Reputation: 1330
This may be the answer:
public class Property
{
public string alias { get; set; }
public string value { get; set; }
}
public class Fieldset
{
public List<Property> properties { get; set; }
public string alias { get; set; }
public bool disabled { get; set; }
}
public class RootObject
{
public List<Fieldset> fieldsets { get; set; }
}
Upvotes: 0