Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Enable CORS for Web Api 2 and OWIN token authentication

I have an ASP.NET MVC 5 webproject (localhost:81) that calls functions from my WebApi 2 project (localhost:82) using Knockoutjs, to make the communication between the two projects I enable CORS. Everything works so far until I tried to implement OWIN token authentication to the WebApi.

To use the /token endpoint on the WebApi, I also need to enable CORS on the endpoint but after hours of trying and searching for solutions it is still now working and the api/token still results in:

XMLHttpRequest cannot load http://localhost:82/token. No 'Access-Control-Allow-Origin' header is present on the requested resource.  
public void Configuration(IAppBuilder app) {     app.UseCors(Microsoft.Owin.Cors.CorsOptions.AllowAll);     TokenConfig.ConfigureOAuth(app);     ... } 

TokenConfig

public static void ConfigureOAuth(IAppBuilder app) {     app.CreatePerOwinContext(ApplicationDbContext.Create);     app.CreatePerOwinContext<AppUserManager>(AppUserManager.Create);      OAuthAuthorizationServerOptions OAuthServerOptions = new OAuthAuthorizationServerOptions()     {         AllowInsecureHttp = true,         TokenEndpointPath = new PathString("/token"),         AccessTokenExpireTimeSpan = TimeSpan.FromDays(1),         Provider = new SimpleAuthorizationServerProvider()     };      app.UseOAuthAuthorizationServer(OAuthServerOptions);     app.UseOAuthBearerAuthentication(new OAuthBearerAuthenticationOptions()); } 

AuthorizationProvider

public override async Task GrantResourceOwnerCredentials(OAuthGrantResourceOwnerCredentialsContext context) {     context.OwinContext.Response.Headers.Add("Access-Control-Allow-Origin", new[] { "*" });      var appUserManager = context.OwinContext.GetUserManager<AppUserManager>();     IdentityUser user = await appUserManager.FindAsync(context.UserName, context.Password);      if (user == null)     {         context.SetError("invalid_grant", "The user name or password is incorrect.");         return;     }     ... claims } 

IdentityConfig

public static AppUserManager Create(IdentityFactoryOptions<AppUserManager> options, IOwinContext context) {     // Tried to enable it again without success.      //context.Response.Headers.Add("Access-Control-Allow-Origin", new[] {"*"});          var manager = new AppUserManager(new UserStore<AppUser>(context.Get<ApplicationDbContect>()));              ...      var dataProtectionProvider = options.DataProtectionProvider;     if (dataProtectionProvider != null)     {         manager.UserTokenProvider =                 new DataProtectorTokenProvider<AppUser>(dataProtectionProvider.Create("ASP.NET Identity"));     }     return manager; } 

EDIT:

1. Important note is that opening the endpoint directly (localhost:82/token) works.

2. Calling the Api (localhost:82/api/..) from the webproject also works, so the CORS is enabled for WebApi.

like image 916
Sam Avatar asked Mar 29 '16 13:03

Sam


People also ask

How does Web API validate token?

Token-based authentication is a process where the client application first sends a request to Authentication server with a valid credentials. The Authentication server sends an Access token to the client as a response. This token contains enough data to identify a particular user and it has an expiry time.


2 Answers

I know your issue was solved inside comments, but I believe is important to understand what was causing it and how to resolve this entire class of problems.

Looking at your code I can see you are setting the Access-Control-Allow-Origin header more than once for the Token endpoint:

app.UseCors(Microsoft.Owin.Cors.CorsOptions.AllowAll); 

And inside GrantResourceOwnerCredentials method:

context.OwinContext.Response.Headers.Add("Access-Control-Allow-Origin", new[] { "*" });  

This, looking at the CORS specifications, is itself an issue because:

If the response includes zero or more than one Access-Control-Allow-Origin header values, return fail and terminate this algorithm.

In your scenario, the framework is setting this header two times, and understanding how CORS must be implemented, this will result in the header removed in certain circumstances (possibly client-related).

This is also confirmed by the following question answer: Duplicate Access-Control-Allow-Origin: * causing COR error?

For this reason moving the call to app.UseCors after the call to ConfigureOAuth allows your CORS header to be set only once (because the owin pipeline is interrupted at the OAuth middleware, and never reaches the Microsoft CORS middleware for the Token endpoint) and makes your Ajax call working.

For a better and global solution you may try to put again app.UseCors before the OAuth middleware call, and remove the second Access-Control-Allow-Origin insertion inside GrantResourceOwnerCredentials.

like image 109
Federico Dipuma Avatar answered Sep 20 '22 22:09

Federico Dipuma


Follow below steps and you will have your API working:

  1. Remove any code like config.EnableCors(), [EnableCors(header:"*"....)] from your API.
  2. Go to startup.cs and add below line

    app.UseCors(Microsoft.Owin.Cors.CorsOptions.AllowAll); 

before

    ConfigureAuth(app); 

Uou will also need to install Microsoft.owin.cors package to use this functionality

like image 38
santosh kumar Avatar answered Sep 24 '22 22:09

santosh kumar