C# How to parse json data without key name?

I have json string like this:

{"fields":[{"type":"none","options":["option1","option2","option3"]}]}

I'm using JObject to parse json data. I can parse data that has name, like type, etc. But how can I parse data that doesn't have a name, like option1, option2 and option3? Here is my code:

JObject object = JObject.Parse(jsonString);
var type = object["fields"][0]["type"].ToString();

but problem is with options.

Jon Skeet
people
quotationmark

The value of options is just an array of values - like fields is. But each value in there is just a string, rather than a further map of key/value pairs.

So you could use:

string firstOption = (string) jsonObject["fields"][0]["options"][0];

If you want the whole set of options as a List<string>, you can use:

var options = jsonObject["fields"][0]["options"]
    .Select(option => (string) option)
    .ToList();

people

See more on this question at Stackoverflow