RSS Feeds in ASP.NET MVC

How would you reccommend handling RSS Feeds in ASP.NET MVC? Using a third party library? Using the RSS stuff in the BCL? Just making an RSS view that renders the XML? Or something completely different?


Solution 1:

The .NET framework exposes classes that handle syndation: SyndicationFeed etc. So instead of doing the rendering yourself or using some other suggested RSS library why not let the framework take care of it?

Basically you just need the following custom ActionResult and you're ready to go:

public class RssActionResult : ActionResult
{
    public SyndicationFeed Feed { get; set; }

    public override void ExecuteResult(ControllerContext context)
    {
        context.HttpContext.Response.ContentType = "application/rss+xml";

        Rss20FeedFormatter rssFormatter = new Rss20FeedFormatter(Feed);
        using (XmlWriter writer = XmlWriter.Create(context.HttpContext.Response.Output))
        {
            rssFormatter.WriteTo(writer);
        }
    }
}

Now in your controller action you can simple return the following:

return new RssActionResult() { Feed = myFeedInstance };

There's a full sample on my blog at http://www.developerzen.com/2009/01/11/aspnet-mvc-rss-feed-action-result/

Solution 2:

Here is what I recommend:

  1. Create a class called RssResult that inherits off the abstract base class ActionResult.
  2. Override the ExecuteResult method.
  3. ExecuteResult has the ControllerContext passed to it by the caller and with this you can get the data and content type.
  4. Once you change the content type to rss, you will want to serialize the data to RSS (using your own code or another library) and write to the response.

  5. Create an action on a controller that you want to return rss and set the return type as RssResult. Grab the data from your model based on what you want to return.

  6. Then any request to this action will receive rss of whatever data you choose.

That is probably the quickest and reusable way of returning rss has a response to a request in ASP.NET MVC.