Array JSON deserialize

I'm trying to get the data from a website RSS converting it to JSON. I got this JSON string:

http://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=http%3A%2F%2Frss.tecmundo.com.br%2Ffeed

I'm using lists to get the values but I got this error "Cannot create an instance of the abstract class or interface" and I don't know how to solve it. It happens in this line.

IList<News> content = new IList<News>();

Here is my code.

public class News
{
    public string author { get; set; }
    public string title { get; set; }
    public string content { get; set; }
    public string contentSnippet { get; set; }
    public string link { get; set; }
    public string publishedDate { get; set; }

    public string[] getFeed(string Website)
    {
        string path = @"http://ajax.googleapis.com/ajax/services/feed/load?v=1.0&q=" + Website;
        var json = new WebClient().DownloadString(path);
        JObject jsonObject = JObject.Parse((string)json);

        IList<JToken> jsonData = jsonObject["responseData"]["feed"]["entries"]["0"].Children().ToList();
        IList<News> content = new IList<News>();

        foreach(JToken data in jsonData)
        {
            News finalData1 = JsonConvert.DeserializeObject<News>(jsonData.ToString());
            content.Add(finalData1);
        }

        return new string[] { "I must return something here." };
    }
}

Here is the tool I'm using to visualize better the JSON string: http://jsonschema.net/#/

Jon Skeet
people
quotationmark

The error you're getting has nothing to do with JSON. It is because you're trying to create an instance of an interface. You could just fix that by giving it the concrete List<T> class:

IList<News> content = new List<News>();

However, the simpler way of converting the IList<JToken> to an IList<News> is probably to use LINQ again - you can do all of this in one step pretty easily:

 IList<News> content = jsonObject["responseData"]["feed"]["entries"]["0"]
    .Children()
    .Select(token => JsonConvert.DeserializeObject<News>(token.ToString())
    .ToList();

That compiles, but isn't actually want due to the data you've got. entries is an array, so you probably want:

JArray array = (JArray) jsonObject["responseData"]["feed"]["entries"];
var content = array
    .Select(token => JsonConvert.DeserializeObject<News>(token.ToString())
    .ToList();

people

See more on this question at Stackoverflow