How can I check if a user is in any one of a few different roles with MVC4 Simple membership?

EDIT: Without coding each role, do it a LINQ extension method, like so:

private static bool IsInAnyRole(this IPrincipal user, List<string> roles)
{
    var userRoles = Roles.GetRolesForUser(user.Identity.Name);

    return userRoles.Any(u => roles.Contains(u));
}

For usage, do:

var roles = new List<string> { "Admin", "Author", "Super" };

if (user.IsInAnyRole(roles))
{
    //do something
}

Or without the extension method:

var roles = new List<string> { "Admin", "Author", "Super" };
var userRoles = Roles.GetRolesForUser(User.Identity.Name);

if (userRoles.Any(u => roles.Contains(u))
{
    //do something
}

There's no built-in way to check if a user is in multiple roles, but it's pretty trivial to create a nice extension method to handle it for you:

public static bool IsInAnyRole(this IPrincipal principal, params string[] roles)
{
    return roles.Any(principal.IsInRole);
}

Usage then is:

if (User.IsInAnyRole("Admin", "Author", "SuperUser"))
{

}