This is walk through for an ASP.NET Core Authorization Lab, now updated for ASP.NET Core 1.1 and VS2017.
A version of this workshop for ASP.NET Core 2.0 is available, as a work in progress in the Core2 branch.
Tip: When you stop finish running the app at each stage always close the browser to clear the identity cookie.
Create a new, blank, ASP.NET project.AuthorizationLab
if you want to cut and paste the sample code contained in this document.Manage NuGet Packages
, search for Microsoft.AspNetCore.Mvc
and install v1.1.1.Startup.cs
and add services.AddMvc();
to the top of the ConfigureServices()
method;Configure()
method, delete the existing code.Configure();
add the following code to setup MVC default routing;app.UseMvc(routes => { routes.MapRoute( name: "default", template: "{controller=Home}/{action=Index}/{id?}"); });
Controllers
folderHomeController.cs
file in the Controllers directory, using the VS Controller template, or create it from scratch and ensuring inherits from Controller
and has an Index()
method which returns a View, for exampleusing Microsoft.AspNetCore.Mvc; namespace AuthorizationLab.Controllers { public class HomeController : Controller { public IActionResult Index() { return View(); } } }
Views
folder.Home
folder under the Views
.Index.cshtml
file inside the Views\Home
folder, and edit it to say Hello World.Microsoft.AspNetCore.Authorization
nuget package.Microsoft.AspNetCore.Authentication.Cookies
nuget packageservices.AddAuthorization()
at the top of the ConfigureServices()
method.[Authorize]
attribute to the controller.Configure()
method, before app.UseMvc()
. This middleware allows you to configure an identity for a request and persist it to a cookie.app.UseCookieAuthentication(new CookieAuthenticationOptions { AuthenticationScheme = "Cookie", LoginPath = new PathString("/Account/Login/"), AccessDeniedPath = new PathString("/Account/Forbidden/"), AutomaticAuthenticate = true, AutomaticChallenge = true });
Account
controller, AccountController.cs
. Create an Login()
action and a Forbidden()
action.using Microsoft.AspNetCore.Mvc; namespace AuthorizationLab.Controllers { public class AccountController : Controller { public IActionResult Login() { return View(); } public IActionResult Forbidden() { return View(); } } }
Account
folder under the Views
folder and create corresponding views for the actions, Login.cshtml
and Forbidden.cshtml
.Account
controller. Change the Login
action to create a principal
and persist it using the code below. This will create user information and put it inside a cookie. This fakes what would normally happen in a forms based login system.public async Task<IActionResult> Login(string returnUrl = null) { const string Issuer = "https://contoso.com"; var claims = new List<Claim>(); claims.Add(new Claim(ClaimTypes.Name, "barry", ClaimValueTypes.String, Issuer)); var userIdentity = new ClaimsIdentity("SuperSecureLogin"); userIdentity.AddClaims(claims); var userPrincipal = new ClaimsPrincipal(userIdentity); await HttpContext.Authentication.SignInAsync("Cookie", userPrincipal, new AuthenticationProperties { ExpiresUtc = DateTime.UtcNow.AddMinutes(20), IsPersistent = false, AllowRefresh = false }); return RedirectToLocal(returnUrl); } private IActionResult RedirectToLocal(string returnUrl) { if (Url.IsLocalUrl(returnUrl)) { return Redirect(returnUrl); } else { return RedirectToAction("Index", "Home"); } }
Home\Index
view to display the name claim for the identity. Replace the contents of that view with the following code. This code is a little over complicated on purpose, as a user principal can contain more than one authenticated identity. This rarely happens, and frankly you'll know if you've written code to do this, but you should be aware of this edge case.@using System.Security.Claims;
@if (!User.Identities.Any(u => u.IsAuthenticated))
{
<h1>Hello World</h1>
}
else
{
<h1>Hello @User.Identities.First(
u => u.IsAuthenticated &&
u.HasClaim(c => c.Type == ClaimTypes.Name)).FindFirst(ClaimTypes.Name).Value</h1>
}
claims.Add(new Claim(ClaimTypes.Name, "barry", ClaimValueTypes.String, Issuer));
inside the Login()
method in the account controller is what is setting the name claim, and is what is being displayed by the view.Remember to close the browser to clear the identity cookie before moving on to the next step.
Step 2: Authorize all the thingsAuthorize
attribute from the Home
controller.AddMvc()
call in ConfigureServices()
in Startup.cs
to add a default authorization policy to the MVC configuration.services.AddMvc(config => { var policy = new AuthorizationPolicyBuilder() .RequireAuthenticatedUser() .Build(); config.Filters.Add(new AuthorizeFilter(policy)); });
[AllowAnonymous]
attribute to the Account
controller, run again and see the user is logged in. AllowAnonymous
allows you to mark a controller or an action method as not requiring authentication, even if you require authentication elsewhere.Remember to close the browser to clear the identity cookie before moving on to the next step.
Home
controller and add an Authorize
attribute with a role demand;[Authorize(Roles = "Administrator")]
Forbidden
view. This happens because you have an identity, but it's not part of the Administrator role.AccountController
and add a second claims.Add()
line, as shown below. This adds a Role claim with the value of Administrator to the issued identity.claims.Add(new Claim(ClaimTypes.Role, "Administrator", ClaimValueTypes.String, Issuer));
Remember to close the browser to clear the identity cookie before moving on to the next step.
Startup.cs
and locate the services.AddAuthorization()
in ConfigureServices()
call.services.AddAuthorization(options => { options.AddPolicy("AdministratorOnly", policy => policy.RequireRole("Administrator")); });
Authorize
attribute to require a policy, rather than use the role parameter.[Authorize(Policy = "AdministratorOnly")]
services.AddAuthorization(options => { options.AddPolicy("AdministratorOnly", policy => policy.RequireRole("Administrator")); options.AddPolicy("EmployeeId", policy => policy.RequireClaim("EmployeeId")); });
Login
action in the Account
Controller.claims.Add(new Claim("EmployeeId", string.Empty, ClaimValueTypes.String, Issuer));
Authorize
attribute to the Home controller, using the new policy name.[Authorize(Policy = "EmployeeId")]
EmployeeId
policy to require one of a number of values;options.AddPolicy("EmployeeId", policy => policy.RequireClaim("EmployeeId", "123", "456"));
Login
action, as shown below, and try again.claims.Add(new Claim("EmployeeId", "123", ClaimValueTypes.String, Issuer));
If a policy has multiple claims all claims must be fufilled for authorization to succeed.
Remember to close the browser to clear the identity cookie before moving on to the next step.
Step 5: Code Based PoliciesCode based policies consist of a requirement, implementing IAuthorizationRequirement
and a handler for the requirement, implementing AuthorizationHandler<T>
where T is the requirement.
Login
action in the Account
controller.claims.Add(new Claim(ClaimTypes.DateOfBirth, "1970-06-08", ClaimValueTypes.Date));
using System; using System.Security.Claims; using Microsoft.AspNetCore.Authorization; namespace AuthorizationLab { public class MinimumAgeRequirement : AuthorizationHandler<MinimumAgeRequirement>, IAuthorizationRequirement { int _minimumAge; public MinimumAgeRequirement(int minimumAge) { _minimumAge = minimumAge; } protected override Task HandleRequirementAsync( AuthorizationHandlerContext context, MinimumAgeRequirement requirement) { if (!context.User.HasClaim(c => c.Type == ClaimTypes.DateOfBirth)) { return Task.CompletedTask; } var dateOfBirth = Convert.ToDateTime( context.User.FindFirst(c => c.Type == ClaimTypes.DateOfBirth).Value); int calculatedAge = DateTime.Today.Year - dateOfBirth.Year; if (dateOfBirth > DateTime.Today.AddYears(-calculatedAge)) { calculatedAge--; } if (calculatedAge >= _minimumAge) { context.Succeed(requirement); } return Task.CompletedTask; } } }
options.AddPolicy("Over21Only", policy => policy.Requirements.Add(new MinimumAgeRequirement(21)));
Home
controller using the Authorize
attribute.Remember to close the browser to clear the identity cookie before moving on to the next step.
Step 6: Multiple handlers for a requirementYou may have noticed what a handler returns, nothing at all (Strictly we're returning Task.CompletedTask;
, which is effectively nothing). Handlers inform the authorization service they have succeeded by calling context.Succeed(requirement);
. You may be asking yourself if there is a context.Succeed()
is there a context.Fail()
? There is, but if your requirement isn't met you shouldn't touch the context at all. Now you may be asking why not? Well ...
Sometimes you may want multiple handlers for an Authorization Requirement, for example when there are multiple ways to fulfill a requirement. Microsoft's office doors open with your Microsoft badge, however on days you forget your badge you can go to reception and get a temporary pass and the receptionist will let you through the gates. Thus there are two ways to fufill the single entry requirement. In the ASP.NET Core authorization model this would be implemented as two handlers for a single requirement.
IAuthorizationRequirement
, OfficeEntryRequirement
.using Microsoft.AspNetCore.Authorization; namespace AuthorizationLab { public class OfficeEntryRequirement : IAuthorizationRequirement { } }
AuthorizationHandler
that checks if the current identity has a badge number claim, issued by the employer, HasBadgeHandler
.using Microsoft.AspNetCore.Authorization; namespace AuthorizationLab { public class HasBadgeHandler : AuthorizationHandler<OfficeEntryRequirement> { protected override Task HandleRequirementAsync( AuthorizationHandlerContext context, OfficeEntryRequirement requirement) { if (!context.User.HasClaim(c => c.Type == "BadgeNumber" && c.Issuer == "https://contoso.com")) { return Task.CompletedTask; } context.Succeed(requirement); return Task.CompletedTask; } } }
That takes care of people who remembered their badges, issued by the right company (after all multiple companies have entry cards, so you want to check that the card is issued by the company you expect. The Claims
class has an issuer property which details who issued the claim, so in our case it's who issued the badge).
But what about those who forget and have a temporary badge? You could just put it all in one handler, but handlers and requirements are meant to be reusable. You could use the HasBadgeHandler
shown above for other things, not just office entry (for example the Microsoft code signing infrastructure needs the smartcard that is our office badge to trigger jobs).
AuthorizationHandler
, HasTemporaryPassHandler
using System; using Microsoft.AspNetCore.Authorization; namespace AuthorizationLab { public class HasTemporaryPassHandler : AuthorizationHandler<OfficeEntryRequirement> { protected override Task HandleRequirementAsync( AuthorizationHandlerContext context, OfficeEntryRequirement requirement) { if (!context.User.HasClaim(c => c.Type == "TemporaryBadgeExpiry" && c.Issuer == "https://contoso.com")) { return Task.FromResult(0); } var temporaryBadgeExpiry = Convert.ToDateTime(context.User.FindFirst( c => c.Type == "TemporaryBadgeExpiry" && c.Issuer == "https://contoso.com").Value); if (temporaryBadgeExpiry > DateTime.Now) { context.Succeed(requirement); } return Task.CompletedTask; } } }
Note that neither handler calls context.Fail(). context.Fail() is there for occasions when authorization cannot continue, even if there's another handler, for example, "My Entire User Database is on fire." or "The user I'm looking at has just been blocked, but other back-end systems may not yet be updated."
ConfigureServices()
in Startup.cs
, inside the authorization configuration.options.AddPolicy("BuildingEntry", policy => policy.Requirements.Add(new OfficeEntryRequirement()));
Account
controller's Login
method and add a suitable badge ID claim.claims.Add(new Claim("BadgeNumber", "123456", ClaimValueTypes.String, Issuer));
Index
view in the Home
controller using the Authorize
attribute.[Authorize(Policy = "BuildingEntry")]
Handlers are held in the ASP.NET DI container. In our previous sample we combined the requirement and the handler in one class, so the authorization system knew about it without having to manually register it in DI. Now we have separate handlers we need to register them in the DI container before they can be found.
Startup.cs
, and inside ConfigureServices()
register the handlers in the DI container by adding the following to the bottom of the ConfigureServices()
method. Note that they don't have to be singletons, you can use the DI system to inject constructor parameters into handlers, so, for example, if you're injecting an EF repository you may want to add your handler as scoped to a request.services.AddSingleton<IAuthorizationHandler, HasBadgeHandler>(); services.AddSingleton<IAuthorizationHandler, HasTemporaryPassHandler>();
claims.Add(new Claim("TemporaryBadgeExpiry", DateTime.Now.AddDays(1).ToString(), ClaimValueTypes.String, Issuer));
claims.Add(new Claim("TemporaryBadgeExpiry", DateTime.Now.AddDays(-1).ToString(), ClaimValueTypes.String, Issuer));
So far we've covered requirements that are based only on a user's identity. However often authorization requires the resource being accessed. For example a Document class may have an author and only authors can edit the document, whilst others can view it.
Document
with an int
ID property and a string
Author property.namespace AuthorizationLab { public class Document { public int Id { get; set; } public string Author { get; set; } } }
IDocumentRepository
using System.Collections.Generic; namespace AuthorizationLab { public interface IDocumentRepository { IEnumerable<Document> Get(); Document Get(int id); } }
Create an implementation of the repository, with some test documents, DocumentRepository.cs
using System.Collections.Generic; using System.Linq; namespace AuthorizationLab { public class DocumentRepository : IDocumentRepository { static List<Document> _documents = new List<Document> { new Document { Id = 1, Author = "barry" }, new Document { Id = 2, Author = "someoneelse" } }; public IEnumerable<Document> Get() { return _documents; } public Document Get(int id) { return (_documents.FirstOrDefault(d => d.Id == id)); } } }
ConfigureServices()
method in Startup.cs
services.AddSingleton<IDocumentRepository, DocumentRepository>();
Now we can create a suitable controller and views to display a list of documents and the document itself.
DocumentController.cs
.using Microsoft.AspNetCore.Mvc; namespace AuthorizationLab.Controllers { public class DocumentController : Controller { IDocumentRepository _documentRepository; public DocumentController(IDocumentRepository documentRepository) { _documentRepository = documentRepository; } public IActionResult Index() { return View(_documentRepository.Get()); } public IActionResult Edit(int id) { var document = _documentRepository.Get(id); if (document == null) { return new NotFoundResult(); } return View(document); } } }
Document
folder underneath the Views
folder and create an Index view, Index.cshtml
@using AuthorizationLab
@model IEnumerable<Document>
<h1>Document Library</h1>
@foreach (var document in Model)
{
<p>
@Html.ActionLink("Document #"+document.Id, "Edit", new { id = document.Id })
</p>
}
Edit.cshtml
@using AuthorizationLab
@model Document
<h1>Document #@Model.Id</h1>
<h2>Author: @Model.Author</h2>
/Document
URL. Ensure you see a list of documents and you can click into each one.Now we need to define operations to authorize against. For a document this might be Read, Write, Edit and Delete. We provide a base class, OperationAuthorizationRequirement which you can use as a starting point, but it's optional.
EditRequirement.cs
using Microsoft.AspNetCore.Authorization; namespace AuthorizationLab { public class EditRequirement : IAuthorizationRequirement { } }
Now, as before, we write a handler for the requirement, but this time we write a handler which takes a resource.
DocumentEditHandler.cs
. This time specify a resource parameter as well as the requirement in the class definition.using System.Security.Claims; using Microsoft.AspNetCore.Authorization; namespace AuthorizationLab { public class DocumentEditHandler : AuthorizationHandler<EditRequirement, Document> { protected override Task HandleRequirementAsync( AuthorizationHandlerContext context, EditRequirement requirement, Document resource) { if (resource.Author == context.User.FindFirst(ClaimTypes.Name).Value) { context.Succeed(requirement); } return Task.CompletedTask; } } }
ConfigureServices()
in Startup.cs
services.AddSingleton<IAuthorizationHandler, DocumentEditHandler>();
We cannot use resource handlers in attributes, because binding hasn't happened at that point and we need the resource. The resource only becomes available inside the action method. So we must call the authorization service directly.
using Microsoft.AspNetCore.Authorization; using Microsoft.AspNetCore.Mvc; namespace AuthorizationLab.Controllers { public class DocumentController : Controller { IDocumentRepository _documentRepository; IAuthorizationService _authorizationService; public DocumentController(IDocumentRepository documentRepository, IAuthorizationService authorizationService) { _documentRepository = documentRepository; _authorizationService = authorizationService; } public IActionResult Index() { return View(_documentRepository.Get()); } public IActionResult Edit(int id) { var document = _documentRepository.Get(id); if (document == null) { return new NotFoundResult(); } return View(document); } } }
Finally we can call the service inside an action method.
Task<IActionResult>
and call the _authorizeService.AuthorizeAsync
method with the user, resource and the requirement. If the authorization call fails you should return a ChallengeResult();
using System.Threading.Tasks; using Microsoft.AspNetCore.Authorization; using Microsoft.AspNetCore.Mvc; namespace AuthorizationLab.Controllers { public class DocumentController : Controller { IDocumentRepository _documentRepository; IAuthorizationService _authorizationService; public DocumentController(IDocumentRepository documentRepository, IAuthorizationService authorizationService) { _documentRepository = documentRepository; _authorizationService = authorizationService; } public IActionResult Index() { return View(_documentRepository.Get()); } public async Task<IActionResult> Edit(int id) { var document = _documentRepository.Get(id); if (document == null) { return new NotFoundResult(); } if (await _authorizationService.AuthorizeAsync(User, document, new EditRequirement())) { return View(document); } else { return new ChallengeResult(); } } } }
For resource links and other UI elements you probably want to not show those links to users in the UI, so as to reduce temptation. You still want to keep authorization checks in the Controller - never rely solely on UI element removal as a security mechanism. ASP.NET Core allows DI within views, so you can use the same approach in Step 7 to hide documents in the document list the current user cannot access.
Index.cshtml
in the Documents
folder.Microsoft.AspNetCore.Authorization
and inject the AuthorizationService
using the @inject
command@using Microsoft.AspNetCore.Authorization
@using AuthorizationLab
@model IEnumerable<Document>
@inject IAuthorizationService AuthorizationService
<h1>Document Library</h1>
@foreach (var document in Model)
{
<p>
@Html.ActionLink("Document #"+document.Id, "Edit", new { id = document.Id })
</p>
}
foreach
loop in the view you can call the AuthorizationService
in the same way you did with a controller.@using Microsoft.AspNetCore.Authorization
@using AuthorizationLab
@model IEnumerable<Document>
@inject IAuthorizationService AuthorizationService
<h1>Document Library</h1>
@{
var requirement = new EditRequirement();
foreach (var document in Model)
{
if (await AuthorizationService.AuthorizeAsync(User, document, requirement))
{
<p>@Html.ActionLink("Document #" + document.Id, "Edit", new { id = document.Id })</p>
}
}
}
Open the Workshop_Start
folder.
This is a sample web site for inventory control. The site allows record label employees to update the details of albums.
There are 3 users, barryd, davidfowl and dedwards. barryd is an administrator for Paddy Productions. dewards is an administrator for ToneDeaf Records. davidfowl is an employee of ToneDeaf Records, but not an administrator. Administrators are part of the Administrator role.
A User repository has been provided for you and is injected into the Account
controller. You should use the ValidateLogin()
function to first check if the login is correct, then retrieve a suitable user principal using the Get()
method.
The cookie authentication middleware is already configured, the scheme name is available from the Constants.MiddlewareScheme
field.
Change the site to include the following functionality:
AccountController
Login
action to create a cookie for the user logging in using the already configured cookie middleware.Login
action in the AccountController
.Edit
action in the HomeController
only available to logged in Administrators for any company.Index
action in the HomeController
so it only lists all albums and but the edit link is only shown for administrators for the company that issued the album.A sample solution is contained in the Workshop_Suggested_Solution
folder.
RetroSearch is an open source project built by @garambo | Open a GitHub Issue
Search and Browse the WWW like it's 1997 | Search results from DuckDuckGo
HTML:
3.2
| Encoding:
UTF-8
| Version:
0.7.4