Bit of Technology

(追記) (追記ここまで)

JSON Web Token in ASP.NET Web API 2 using Owin

By 369 Comments

In the previous post Decouple OWIN Authorization Server from Resource Server we saw how we can separate the Authorization Server and the Resource Server by unifying the “decryptionKey” and “validationKey” key values in machineKey node in the web.config file for the Authorization and the Resource server. So once the user request an access token from the Authorization server, the Authorization server will use this unified key to encrypt the access token, and at the other end when the token is sent to the Resource server, it will use the same key to decrypt this access token and extract the authentication ticket from it.

The source code for this tutorial is available on GitHub.

This way works well if you have control on your Resource servers (Audience) which will rely on your Authorization server (Token Issuer) to obtain access tokens from, in other words you are fully trusting those Resource servers so you are sharing with them the same “decryptionKey” and “validationKey” values.

But in some situations you might have big number of Resource servers rely on your Authorization server, so sharing the same “decryptionKey” and “validationKey” keys with all those parties become inefficient process as well insecure, you are using the same keys for multiple Resource servers, so if a key is compromised all the other Resource servers will be affected.

To overcome this issue we need to configure the Authorization server to issue access tokens using JSON Web Tokens format (JWT) instead of the default access token format, as well on the Resource server side we need to configure it to consume this new JWT access tokens, as well you will see through out this post that there is no need to unify the “decryptionKey” and “validationKey” key values anymore if we used JWT.

Featured Image

What is JSON Web Token (JWT)?

JSON Web Token is a security token which acts as a container for claims about the user, it can be transmitted easily between the Authorization server (Token Issuer), and the Resource server (Audience), the claims in JWT are encoded using JSON which make it easier to use especially in applications built using JavaScript.

JSON Web Tokens can be signed following the JSON Web Signature (JWS) specifications, as well it can be encrypted following the JSON Web Encryption (JWE) specifications, in our case we will not transmit any sensitive data in the JWT payload, so we’ll only sign this JWT to protect it from tampering during the transmission between parties.

JSON Web Token (JWT) Format

Basically the JWT is a string which consists of three parts separated by a dot (.) The JWT parts are: <header>.<payload>.<signature>.

The header part is JSON object which contains 2 nodes always and looks as the following: {"typ":"JWT","alg":"HS256"} The “type” node has always “JWT” value, and the node “alg” contains the algorithm used to sign the token, in our case we’ll use “HMAC-SHA256” for signing.

The payload part is JSON object as well which contains all the claims inside this token, check the example shown in the snippet below:

JavaScript
1
2
3
4
5
6
7
8
9
10
11
12
{
"unique_name":"SysAdmin",
"sub":"SysAdmin",
"role":[
"Manager",
"Supervisor"
],
"iss":"http://myAuthZServer",
"aud":"379ee8430c2d421380a713458c23ef74",
"exp":1414283602,
"nbf":1414281802
}

All those claims are not mandatory in order to build JWT, you can read more about JWT claims here. In our case we’ll always use those set of claims in the JWT we are going to issue, those claims represent the below:

  • The “sub” (subject) and “unique_claim” claims represent the user name this token issued for.
  • The “role” claim represents the roles for the user.
  • The “iss” (issuer) claim represents the Authorization server (Token Issuer) party.
  • The “aud” (audience) claim represents the recipients that the JWT is intended for (Relying Party – Resource Server). More on this unique string later in this post.
  • The “exp” (expiration time) claim represents the expiration time of the JWT, this claim contains UNIX time value.
  • The “nbf” (not before) claim represent the time which this JWT must not be used before, this claim contains UNIX time vale.

Lastly the signature part of the JWT is created by taking the header and payload parts, base 64 URL encode them, then concatenate them with “.”, then use the “alg” defined in the <header> part to generate the signature, in our case “HMAC-SHA256”. The resulting part of this signing process is byte array which should be base 64 URL encoded then concatenated with the <header>.<payload> to produce a complete JWT.

JSON Web Tokens support in ASP.NET Web API and Owin middleware.

There is no direct support for issuing JWT in ASP.NET Web API or ready made Owin middleware responsible for doing this, so in order to start issuing JWTs we need to implement this manually by implementing the interface “ISecureDataFormat” and implement the method “Protect”. More in this later. But for consuming the JWT in a Resource server there is ready middleware named “Microsoft.Owin.Security.Jwt” which understands validates, and and de-serialize JWT tokens with minimal number of line of codes.

So most of the heavy lifting we’ll do now will be in implementing the Authorization Server.

What we’ll build in this tutorial?

We’ll build a single Authorization server which issues JWT using ASP.NET Web API 2 on top of Owin middleware, the Authorization server is hosted on Azure (http://JwtAuthZSrv.azurewebsites.net) so you can test it out by adding new Resource servers. Then we’ll build a single Resource server (audience) which will process JWTs issued by our Authorization server only.

I’ll split this post into two sections, the first section will be for creating the Authorization server, and the second section will cover creating Resource server.

The source code for this tutorial is available on GitHub.

Section 1: Building the Authorization Server (Token Issuer)

Step 1.1: Create the Authorization Server Web API Project

Create an empty solution and name it “JsonWebTokensWebApi” then add a new ASP.NET Web application named “AuthorizationServer.Api”, the selected template for the project will be “Empty” template with no core dependencies. Notice that the authentication is set to “No Authentication”.

Step 1.2: Install the needed NuGet Packages:

Open package manger console and install the below Nuget packages:

MS DOS
1
2
3
4
5
6
7
Install-PackageMicrosoft.AspNet.WebApi -Version5.2.2
Install-PackageMicrosoft.AspNet.WebApi.Owin -Version5.2.2
Install-PackageMicrosoft.Owin.Host.SystemWeb -Version3.0.0
Install-PackageMicrosoft.Owin.Cors -Version3.0.0
Install-PackageMicrosoft.Owin.Security.OAuth -Version3.0.0
Install-PackageSystem.IdentityModel.Tokens.Jwt -Version4.0.0
Install-PackageThinktecture.IdentityModel.CoreVersion1.2.0

You can refer to the previous post if you want to know what each package is responsible for. The package named “System.IdentityModel.Tokens.Jwt” is responsible for validating, parsing and generating JWT tokens. As well we’ve used the package “Thinktecture.IdentityModel.Core” which contains class named “HmacSigningCredentials” which will be used to facilitate creating signing keys.

Step 1.3: Add Owin “Startup” Class:

Right click on your project then add a new class named “Startup”. It will contain the code below:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
publicclassStartup
{
publicvoidConfiguration(IAppBuilder app)
{
HttpConfiguration config=newHttpConfiguration();
// Web API routes
config.MapHttpAttributeRoutes();
ConfigureOAuth(app);
app.UseCors(Microsoft.Owin.Cors.CorsOptions.AllowAll);
app.UseWebApi(config);
}
publicvoidConfigureOAuth(IAppBuilder app)
{
OAuthAuthorizationServerOptions OAuthServerOptions=newOAuthAuthorizationServerOptions()
{
//For Dev enviroment only (on production should be AllowInsecureHttp = false)
AllowInsecureHttp=true,
TokenEndpointPath=newPathString("/oauth2/token"),
AccessTokenExpireTimeSpan=TimeSpan.FromMinutes(30),
Provider=newCustomOAuthProvider(),
AccessTokenFormat=newCustomJwtFormat("http://jwtauthzsrv.azurewebsites.net")
};
// OAuth 2.0 Bearer Access Token Generation
app.UseOAuthAuthorizationServer(OAuthServerOptions);
}
}

Here we’ve created new instance from class “OAuthAuthorizationServerOptions” and set its option as the below:

  • The path for generating JWT will be as :”http://jwtauthzsrv.azurewebsites.net/oauth2/token”.
  • We’ve specified the expiry for token to be 30 minutes
  • We’ve specified the implementation on how to validate the client and Resource owner user credentials in a custom class named “CustomOAuthProvider”.
  • We’ve specified the implementation on how to generate the access token using JWT formats, this custom class named “CustomJwtFormat” will be responsible for generating JWT instead of default access token using DPAPI, note that both are using bearer scheme.

We’ll come to the implementation of both class later in the next steps.

Step 1.4: Resource Server (Audience) Registration:

Now we need to configure our Authorization server to allow registering Resource server(s) (Audience), this step is very important because we need a way to identify which Resource server (Audience) is requesting the JWT token, so the Authorization server will be able to issue JWT token for this audience only.

The minimal needed information to register a Recourse server into an Authorization server are a unique Client Id, and shared symmetric key. For the sake of keeping this tutorial simple I’m persisting those information into a volatile dictionary so the values for those Audiences will be removed from the memory if IIS reset toke place, for production scenario you need to store those values permanently on a database.

Now add new folder named “Entities” then add new class named “Audience” inside this class paste the code below:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
publicclassAudience
{
[Key]
[MaxLength(32)]
publicstringClientId{get;set;}
[MaxLength(80)]
[Required]
publicstringBase64Secret{get;set;}
[MaxLength(100)]
[Required]
publicstringName{get;set;}
}

Then add new folder named “Models” the add new class named “AudienceModel” inside this class paste the code below:

C#
1
2
3
4
5
6
publicclassAudienceModel
{
[MaxLength(100)]
[Required]
publicstringName{get;set;}
}

Now add new class named “AudiencesStore” and paste the code below:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
publicstaticclassAudiencesStore
{
publicstaticConcurrentDictionary<string,Audience>AudiencesList=newConcurrentDictionary<string,Audience>();
staticAudiencesStore()
{
AudiencesList.TryAdd("099153c2625149bc8ecb3e85e03f0022",
newAudience{ClientId="099153c2625149bc8ecb3e85e03f0022",
Base64Secret="IxrAjDoa2FqElO7IhrSrUJELhUckePEPVpaePlS_Xaw",
Name="ResourceServer.Api 1"});
}
publicstaticAudience AddAudience(stringname)
{
varclientId=Guid.NewGuid().ToString("N");
varkey=newbyte[32];
RNGCryptoServiceProvider.Create().GetBytes(key);
varbase64Secret=TextEncodings.Base64Url.Encode(key);
Audience newAudience=newAudience{ClientId=clientId,Base64Secret=base64Secret,Name=name};
AudiencesList.TryAdd(clientId,newAudience);
returnnewAudience;
}
publicstaticAudience FindAudience(stringclientId)
{
Audience audience=null;
if(AudiencesList.TryGetValue(clientId,outaudience))
{
returnaudience;
}
returnnull;
}
}

Basically this class acts like a repository for the Resource servers (Audiences), basically it is responsible for two things, adding new audience and finding exiting one.

Now if you take look on method “AddAudience” you will notice that we’ve implemented the following:

  • Generating random string of 32 characters as an identifier for the audience (client id).
  • Generating 256 bit random key using the “RNGCryptoServiceProvider” class then base 64 URL encode it, this key will be shared between the Authorization server and the Resource server only.
  • Add the newly generated audience to the in-memory “AudiencesList”.
  • The “FindAudience” method is responsible for finding an audience based on the client id.
  • The constructor of the class contains fixed audience for the demo purpose.

Lastly we need to add an end point in our Authorization server which allow registering new Resource servers (Audiences), so add new folder named “Controllers” then add new class named “AudienceController” and paste the code below:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
[RoutePrefix("api/audience")]
publicclassAudienceController:ApiController
{
[Route("")]
publicIHttpActionResult Post(AudienceModel audienceModel)
{
if(!ModelState.IsValid){
returnBadRequest(ModelState);
}
Audience newAudience=AudiencesStore.AddAudience(audienceModel.Name);
returnOk<Audience>(newAudience);
}
}

This end point can be accessed by issuing HTTP POST request to the URI http://jwtauthzsrv.azurewebsites.net/api/audience as the image below, notice that the Authorization server is responsible for generating the client id and the shared symmetric key. This symmetric key should not be shared with any party except the Resource server (Audience) requested it.

Note: In real world scenario the Resource server (Audience) registration process won’t be this trivial, you might go through workflow approval. Sharing the key will take place using a secure admin portal, as well you might need to provide the audience with the ability to regenerate the key in case it get compromised.

Register Audience

Step 1.5: Implement the “CustomOAuthProvider” Class

Now we need to implement the code responsible for issuing JSON Web Token when the requester issue HTTP POST request to the URI: http://jwtauthzsrv.azurewebsites.net/oauth2/token the request will look as the image below, notice how we are setting the client id for for the Registered resource (audience) from the previous step using key (client_id).

Issue JWT

To implement this we need to add new folder named “Providers” then add new class named “CustomOAuthProvider”, paste the code snippet below:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
publicclassCustomOAuthProvider:OAuthAuthorizationServerProvider
{
publicoverrideTask ValidateClientAuthentication(OAuthValidateClientAuthenticationContext context)
{
stringclientId=string.Empty;
stringclientSecret=string.Empty;
stringsymmetricKeyAsBase64=string.Empty;
if(!context.TryGetBasicCredentials(outclientId,outclientSecret))
{
context.TryGetFormCredentials(outclientId,outclientSecret);
}
if(context.ClientId==null)
{
context.SetError("invalid_clientId","client_Id is not set");
returnTask.FromResult<object>(null);
}
varaudience=AudiencesStore.FindAudience(context.ClientId);
if(audience==null)
{
context.SetError("invalid_clientId",string.Format("Invalid client_id '{0}'",context.ClientId));
returnTask.FromResult<object>(null);
}
context.Validated();
returnTask.FromResult<object>(null);
}
publicoverrideTask GrantResourceOwnerCredentials(OAuthGrantResourceOwnerCredentialsContext context)
{
context.OwinContext.Response.Headers.Add("Access-Control-Allow-Origin",new[]{"*"});
//Dummy check here, you need to do your DB checks against memebrship system http://bit.ly/SPAAuthCode
if(context.UserName!=context.Password)
{
context.SetError("invalid_grant","The user name or password is incorrect");
//return;
returnTask.FromResult<object>(null);
}
varidentity=newClaimsIdentity("JWT");
identity.AddClaim(newClaim(ClaimTypes.Name,context.UserName));
identity.AddClaim(newClaim("sub",context.UserName));
identity.AddClaim(newClaim(ClaimTypes.Role,"Manager"));
identity.AddClaim(newClaim(ClaimTypes.Role,"Supervisor"));
varprops=newAuthenticationProperties(newDictionary<string,string>
{
{
"audience",(context.ClientId==null)?string.Empty:context.ClientId
}
});
varticket=newAuthenticationTicket(identity,props);
context.Validated(ticket);
returnTask.FromResult<object>(null);
}
}

As you notice this class inherits from class “OAuthAuthorizationServerProvider”, we’ve overridden two methods “ValidateClientAuthentication” and “GrantResourceOwnerCredentials”

  • The first method “ValidateClientAuthentication” will be responsible for validating if the Resource server (audience) is already registered in our Authorization server by reading the client_id value from the request, notice that the request will contain only the client_id without the shared symmetric key. If we take the happy scenario and the audience is registered we’ll mark the context as a valid context which means that audience check has passed and the code flow can proceed to the next step which is validating that resource owner credentials (user who is requesting the token).
  • The second method “GrantResourceOwnerCredentials” will be responsible for validating the resource owner (user) credentials, for the sake of keeping this tutorial simple I’m considering that each identical username and password combination are valid, in read world scenario you will do your database checks against membership system such as ASP.NET Identity, you can check this in the previous post.
  • Notice that we are setting the authentication type for those claims to “JWT”, as well we are passing the the audience client id as a property of the “AuthenticationProperties”, we’ll use the audience client id in the next step.
  • Now the JWT access token will be generated when we call "context.Validated(ticket), but we still need to implement the class “CustomJwtFormat” we talked about in step 1.3.

Step 1.5: Implement the “CustomJwtFormat” Class

This class will be responsible for generating the JWT access token, so what we need to do is to add new folder named “Formats” then add new class named “CustomJwtFormat” and paste the code below:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
publicclassCustomJwtFormat:ISecureDataFormat<AuthenticationTicket>
{
privateconststringAudiencePropertyKey="audience";
privatereadonlystring_issuer=string.Empty;
publicCustomJwtFormat(stringissuer)
{
_issuer=issuer;
}
publicstringProtect(AuthenticationTicket data)
{
if(data==null)
{
thrownewArgumentNullException("data");
}
stringaudienceId=data.Properties.Dictionary.ContainsKey(AudiencePropertyKey)?data.Properties.Dictionary[AudiencePropertyKey]:null;
if(string.IsNullOrWhiteSpace(audienceId))thrownewInvalidOperationException("AuthenticationTicket.Properties does not include audience");
Audience audience=AudiencesStore.FindAudience(audienceId);
stringsymmetricKeyAsBase64=audience.Base64Secret;
varkeyByteArray=TextEncodings.Base64Url.Decode(symmetricKeyAsBase64);
varsigningKey=newHmacSigningCredentials(keyByteArray);
varissued=data.Properties.IssuedUtc;
varexpires=data.Properties.ExpiresUtc;
vartoken=newJwtSecurityToken(_issuer,audienceId,data.Identity.Claims,issued.Value.UtcDateTime,expires.Value.UtcDateTime,signingKey);
varhandler=newJwtSecurityTokenHandler();
varjwt=handler.WriteToken(token);
returnjwt;
}
publicAuthenticationTicket Unprotect(stringprotectedText)
{
thrownewNotImplementedException();
}
}

What we’ve implemented in this class is the following:

  • The class “CustomJwtFormat” implements the interface “ISecureDataFormat<AuthenticationTicket>”, the JWT generation will take place inside method “Protect”.
  • The constructor of this class accepts the “Issuer” of this JWT which will be our Authorization server, this can be string or URI, in our case we’ll fix it to URI with the value “http://jwtauthzsrv.azurewebsites.net”
  • Inside “Protect” method we are doing the following:
    1. Reading the audience (client id) from the Authentication Ticket properties, then getting this audience from the In-memory store.
    2. Reading the Symmetric key for this audience and Base64 decode it to byte array which will be used to create a HMAC265 signing key.
    3. Preparing the raw data for the JSON Web Token which will be issued to the requester by providing the issuer, audience, user claims, issue date, expiry date, and the signing Key which will sign the JWT payload.
    4. Lastly we serialize the JSON Web Token to a string and return it to the requester.
  • By doing this requester for an access token from our Authorization server will receive a signed token which contains claims for a certain resource owner (user) and this token intended to certain Resource server (audience) as well.

So if we need to request a JWT from our Authorization server for a user named “SuperUser” that needs to access the Resource server (audience) “099153c2625149bc8ecb3e85e03f0022”, all we need to do is to issue HTTP POST to the token end point (http://jwtauthzsrv.azurewebsites.net/oauth2/token) as the image below:

Issue JWT2

The result for this will be the below JSON Web Token:

JavaScript
1
eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJ1bmlxdWVfbmFtZSI6IlN1cGVyVXNlciIsInN1YiI6IlN1cGVyVXNlciIsInJvbGUiOlsiTWFuYWdlciIsIlN1cGVydmlzb3IiXSwiaXNzIjoiaHR0cDovL2p3dGF1dGh6c3J2LmF6dXJld2Vic2l0ZXMubmV0IiwiYXVkIjoiMDk5MTUzYzI2MjUxNDliYzhlY2IzZTg1ZTAzZjAwMjIiLCJleHAiOjE0MTQzODEyODgsIm5iZiI6MTQxNDM3OTQ4OH0.pZffs_TSXjgxRGAPQ6iJql7NKfRjLs1WWSliX5njSYU

There is an online JWT debugger tool named jwt.io that allows you to paste the encoded JWT and decode it so you can interpret the claims inside it, so open the tool and paste the JWT above and you should receive response as the image below, notice that all the claims are set properly including the iss, aud, sub,role, etc…

One thing to notice here that there is red label which states that the signature is invalid, this is true because this tool doesn’t know about the shared symmetric key issued for the audience (099153c2625149bc8ecb3e85e03f0022).

So if we decided to share this symmetric key with the tool and paste the key in the secret text box; we should receive green label stating that signature is valid, and this is identical to the implementation we’ll see in the Resource server when it receives a request containing a JWT.

jwtio

Now the Authorization server (Token issuer) is able to register audiences and issue JWT tokens, so let’s move to adding a Resource server which will consume the JWT tokens.

Section 2: Building the Resource Server (Audience)

Step 2.1: Creating the Resource Server Web API Project

Add a new ASP.NET Web application named “ResourceServer.Api”, the selected template for the project will be “Empty” template with no core dependencies. Notice that the authentication is set to “No Authentication”.

Step 2.2: Installing the needed NuGet Packages:

Open package manger console and install the below Nuget packages:

C#
1
2
3
4
5
Install-Package Microsoft.AspNet.WebApi-Version5.2.2
Install-Package Microsoft.AspNet.WebApi.Owin-Version5.2.2
Install-Package Microsoft.Owin.Host.SystemWeb-Version3.0.0
Install-Package Microsoft.Owin.Cors-Version3.0.0
Install-Package Microsoft.Owin.Security.Jwt-Version3.0.0

The package “Microsoft.Owin.Security.Jwt” is responsible for protecting the Resource server resources using JWT, it only validate and de-serialize JWT tokens.

Step 2.3: Add Owin “Startup” Class:

Right click on your project then add a new class named “Startup”. It will contain the code below:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
publicclassStartup
{
publicvoidConfiguration(IAppBuilder app)
{
HttpConfiguration config=newHttpConfiguration();
config.MapHttpAttributeRoutes();
ConfigureOAuth(app);
app.UseCors(Microsoft.Owin.Cors.CorsOptions.AllowAll);
app.UseWebApi(config);
}
publicvoidConfigureOAuth(IAppBuilder app)
{
varissuer="http://jwtauthzsrv.azurewebsites.net";
varaudience="099153c2625149bc8ecb3e85e03f0022";
varsecret=TextEncodings.Base64Url.Decode("IxrAjDoa2FqElO7IhrSrUJELhUckePEPVpaePlS_Xaw");
// Api controllers with an [Authorize] attribute will be validated with JWT
app.UseJwtBearerAuthentication(
newJwtBearerAuthenticationOptions
{
AuthenticationMode=AuthenticationMode.Active,
AllowedAudiences=new[]{audience},
IssuerSecurityTokenProviders=newIIssuerSecurityTokenProvider[]
{
newSymmetricKeyIssuerSecurityTokenProvider(issuer,secret)
}
});
}
}

This is the most important step in configuring the Resource server to trust tokens issued by our Authorization server (http://jwtauthzsrv.azurewebsites.net), notice how we are providing the values for the issuer, audience (client id), and the shared symmetric secret we obtained once we registered the resource with the authorization server.

By providing those values to JwtBearerAuthentication middleware, this Resource server will be able to consume only JWT tokens issued by the trusted Authorization server and issued for this audience only.

Note: Always store keys in config files not directly in source code.

Step 2.4: Add new protected controller

Now we want to add a controller which will serve as our protected resource, this controller will return list of claims for the authorized user, those claims for sure are encoded within the JWT we’ve obtained from the Authorization Server. So add new controller named “ProtectedController” under “Controllers” folder and paste the code below:

C#
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
[Authorize]
[RoutePrefix("api/protected")]
publicclassProtectedController:ApiController
{
[Route("")]
publicIEnumerable<object>Get()
{
varidentity=User.Identity asClaimsIdentity;
returnidentity.Claims.Select(c=>new
{
Type=c.Type,
Value=c.Value
});
}
}

Notice how we attribute the controller with [Authorize] attribute which will protect this resource and only will authentic HTTP GET requests containing a valid JWT access token, with valid I mean:

  • Not expired JWT.
  • JWT issued by our Authorization server (http://jwtauthzsrv.azurewebsites.net).
  • JWT issued for the audience (099153c2625149bc8ecb3e85e03f0022) only.

Conclusion

Using signed JSON Web Tokens facilitates and standardize the way of separating the Authorization server and the Resource server, no more need for unifying machineKey values nor having the risk of sharing the “decryptionKey” and “validationKey” key values among different Resource servers.

Keep in mind that the JSON Web Token we’ve created in this tutorial is signed only, so do not put any sensitive information in it 🙂

The source code for this tutorial is available on GitHub.

That’s it for now folks, hopefully this short walk through helped in understanding how we can configure the Authorization Server to issue JWT and how we can consume them in a Resource Server.

If you have any comment, question or enhancement please drop me a comment, I do not mind if you star the GitHub Repo too 🙂

Follow me on Twitter @tjoudeh

References

Like this:

Like Loading...

Comments

  1. Sanvid Maniyar says

    Hi,

    When I try with URL http://jwtauthzsrv.azurewebsites.net/oauth2/token, it seems working fine and provided me with the correct result. But I am doing the same with my ADFS server (http://my_ADFS_server/oauth2/token ) and not able to pass the username and password.

    I search a bit and came to know that

    “AD FS 3.0 (2012 R2) DOES NOT support grant_type=password for OAuth 2.0 but it supports grant_type=authorization_code and grant_type=refresh_token only”

    “AD FS provides WS-Trust endpoints and you could use them instead of OAuth 2.0 endpoint for issuing and exchanging tokens”

    So, is there any way to make it work or how do I made above code working with “authorization_code”.

    If you can guide me for the same because I want to make SSO with multiple intranet applications based on JWT.

    Regards,
    Sanvid

  2. Cesar says

    Hi. Thanks for the thorough article.
    I would like to know why making a CustomJwtFormat class instead of using JwtFormat from the nuget packages.

    Thanks.

  3. K1 says

    Hi,

    I have implemented the whole thing and it works wonderfully, I have a question though.
    for each client I set its unique Base64Secret
    back in ResourceServer.Api in startup.cs in ConfigureOAuthyou have declared the audience and secret.
    now this is different for different request, Can you help out here.

    thanx

      • Xandrix Enrico says

        I think he’s saying that what if a new Audience is created, it will then have newly generated GUID value as audience, problem is the allowed audience is hardcoded in the startup.cs for [Authorize] attribute to controllers. I suggest making a custom [Authorize] attribute class handler for this.

      • K1 says

        Hi,

        I made a mistake, I was trying to set a secret key for each member who register. I realized the secret key is for each source, such as web api, web site …

        here’s another question, we are trying to test the following code

        $(document).ready(function () {
        $.ajax({
        url: ‘http://authz.novin.solutions/oauth2/token’,
        data: {
        ‘username’: ‘mrkeivan’,
        ‘password’: ‘09126101185’,
        ‘client_Id’: ‘ddaffb84-acf6-4aca-ac02-203a69a4d3ea’,
        ‘grant_type’: ‘password’
        },
        ‘headers’: {
        ‘cache-control’: ‘no-cache’,
        ‘content-type’: ‘application/x-www-form-urlencoded’
        },
        error: function () {
        alert(‘error’);
        },
        type: ‘POST’,
        dataType: ‘json’,
        success: function (data) {
        },
        });
        });

        But I get Access-Control-Allow-Origin error (for local host) how can I figure this out so I can call the method locally ?

        • Sabrina Ahmed Khan says

          You have to add a nugget package to enable CORS. I was having this error while implementing OWIN and resolved it by doing this.

  4. sepehr says

    Hello sir ,
    I’d really really appreciate you Taiseer , you saved my life…
    I followed this tutorial and also that famous( (: ) 5 part tutorial too and this is OK.
    Let me ask you a question:
    Is it possible to consume APIs from another web api project (as client)?
    I always receive “Authorization has been denied for this request.” response when there are two web api projects.
    Thanks in advance for your reply

      • Chandresh says

        Hello,

        Could I get some more explanation to fix this error ? I have read the article. I have both project running from same machine. I was able to verify the responses for authorization. Stuck at this error for api/protected api Authorization server.

        In the screenshot, you show Authorzation value for this GET api for Authorization. I just pulled it from my response of previous api to Authorization Server (using the symmetric key value as per above article)

        • Chandresh says

          I take this back.. I was sending the GET request without Secret code (set in the source code).. I am sharing my comments here.

          When you use the jwt.io , you must change two values (I missed setting the Secret code first time)
          A) Use the symmatric key (099…..)
          B) Use the Secret Code from the existing source file – AudienceStore.cs
          IxrAjDoa2FqElO7IhrSrUJELhUckePEPVpaePlS_Xaw

          Let these two changes regenerate the input string in the left pane of jwt.io
          Copy this and put it into GET request in Postman

          Note – Using Postman,
          You must need to paste the generated string from jwt.io (left pane) as the value for the Bearer Token field inside Authorization tab in the Postman

  5. Erick says

    Hi Taiseer,

    Great tutorial. It works perfectly.

    Need some insights

    I want to ask Audience will be all ‘client’s that will consume my WebAPI right?
    Then how to authorize new Audience if since it is hardcoded (099153c2625149bc8ecb3e85e03f0022) in Audience Server?

    thx,
    erick

  6. Jawand Singh says

    Hello Taiseer,

    Thanks for nice and easy explanation and implementation. I have few questions.

    suppose i have multiple Resource Server’s and for each and every Resource Server(audience) i have clientId and Secret (Base64). But, now we have multiple Resource server (which mean multiple clientId and Secret). Now, in Resource Server API, How i am going to identify to which Resource Server (audience) this JWT Token Belong and use correct Secret (Base64) to de-serialize JWT Token. How Secret(Base64) should be shared ?

    Bottom Line, we want to implement it in Production Environment. What we need is to Host Authorization Server as a Separate Service on Azure. and Host Different Resource API on different azure app service. The main concern is how we can share the Secret (Base64) between Authorization Server and Resource Server.

    We are trying to implement custom authentication and authorization on azure app service. currently Microsoft Azure App Service only provide for (AD, Twitter, Google, Microsoft, Facebook).

    I hope my question is clear 🙂

    Thanks & Regards,
    Jawand Singh

    • Jawand Singh says

      or should i send ClientId along with JWT Token ?

      and then on my Resource Server i will check in database with that clientId and Audience Name and get Secret from database ?

      Will it work ? is it secure way ?

      Thanks,
      Jawand Singh

  7. K1 says

    Dear Taiseer,
    I have implemented the code and it worked smoothless, thanx.
    on the web and using postmaster it works flawlessly however when calling on mobile appliation I get the following error
    XMLHttpRequest cannot load http://authz.novin.solutions/oauth2/token. No ‘Access-Control-Allow-Origin’ header is present on the requested resource. Origin ‘http://localhost’ is therefore not allowed access. The response had HTTP status code 400.

    i’m using cordova to develope the application.

    • nicky says

      Hi K1,

      I allow myself to answer (hoping you’ve solved it since the time), and that it could at least serve others.

      I’ve had the same issue in the beginning. Meaning, in my case, I did try to post the “login/passwor” as a formatted json payload. Wrong!

      The answer is to follow the exact steps and syntax provided by the author.

      The good way to do it (I am using javascript):
      Given your variables: userName and password:
      The request payload must be of type “string” as follows: “grant_type=password&userName=” + userName + “&password=” + password

      And Important! the headers must be of type: { “Content-Type”: “application/x-www-form-urlencoded” }

      Cheers

  8. Long says

    Hi Taiseer,
    Thanks for your great and detailed article. Just one thing i wanna comment that if we want to consume Bearer token, below lines should be added to Startup.cs (for someone who get code 401 when trying to call resource server):
    OAuthBearerAuthenticationOptions OAuthBearerOptions;
    OAuthBearerOptions = new OAuthBearerAuthenticationOptions();
    OAuthAuthorizationServerOptions OAuthServerOptions = new OAuthAuthorizationServerOptions()
    {
    //For Dev enviroment only (on production should be AllowInsecureHttp = false)
    AllowInsecureHttp = true,
    TokenEndpointPath = new PathString(“/oauth2/token”),
    AccessTokenExpireTimeSpan = TimeSpan.FromMinutes(30),
    Provider = new CustomOAuthProvider(),
    AccessTokenFormat = new CustomJwtFormat(“http://jwtauthzsrv.azurewebsites.net”)
    };

    // OAuth 2.0 Bearer Access Token Generation
    app.UseOAuthAuthorizationServer(OAuthServerOptions);
    app.UseOAuthBearerAuthentication(OAuthBearerOptions);

  9. Rohan says

    Hi Taiseer ,
    This Article is really good and helped me a lot.
    But my requirement here is i want to encrypt JWT so that it wont be visible in JWT.IO.

    I heard about Jose but for that i guess we need to change this current implementation.

    Can you help me how to do that without affecting my current architecture.

    Thanks in advance.
    Rohan

  10. Alfredo says

    Hi, thanks for your explanations and samples, very helpful.

    I have a question about Resource Server “side”:
    When you specify a “issuer”, does it mean “Resource Server” needs to request JWTs to this issuer? or it is just a variable to validate the JWT?

    I am trying to have a NodeJS Authorization Server, and want my .Net Web APIs get secured with it.

  11. Arun says

    Hi

    I have generated the JWT from Authorization server. My question is how to test the Resource server Protected controller in Postman

  12. Arun says

    Hi

    Your article is excellent. I have one question for you. With the help of Postman I can generate Json Web Token from Authorization server. I dont know how to pass the generated token to Resource server to access it data.
    Can you please help me in sorting out my issue.

  13. Dmitry says

    Hi. I did copy-paste with adding required namespaces, is it only for me this:
    var token = new JwtSecurityToken(_issuer, audienceId, data.Identity.Claims, issued.Value.UtcDateTime, expires.Value.UtcDateTime, signingKey);
    shows 2 errors:
    – The best overloaded method match for ‘System.IdentityModel.Tokens.Jwt.JwtSecurityToken.JwtSecurityToken(string, string, System.Collections.Generic.IEnumerable, System.DateTime?, System.DateTime?, Microsoft.IdentityModel.Tokens.SigningCredentials)’ has some invalid arguments
    – cannot convert from ‘Thinktecture.IdentityModel.Tokens.HmacSigningCredentials’ to ‘Microsoft.IdentityModel.Tokens.SigningCredentials’

    • Alftuga says

      Great articles! 🙂 Thanks a lot!
      I have the same behavior as Dmitry.
      var token = new JwtSecurityToken(_issuer, audienceId, data.Identity.Claims, issued.Value.UtcDateTime, expires.Value.UtcDateTime, signingKey);

      Argument 6: cannot convert from ‘Thinktecture.IdentityModel.Tokens.HmacSigningCredentials’ to ‘Microsoft.IdentityModel.Tokens.SigningCredentials’

      • Taiseer Joudeh says

        Hello Alftuga,
        This is regard a breaking compatibility with latest NuGet package you used, you can refer back to the version I used, make it work, then update your NuGet packages and fix the breaking compatibility issue. Sorry for not being more helpful But I do not have the time to check this issue.

      • ben says

        var keyByteArray = TextEncodings.Base64Url.Decode(symmetricKeyAsBase64);

        //var signingKey = new HmacSigningCredentials(keyByteArray);
        var signingKey = new SigningCredentials(
        new SymmetricSecurityKey(keyByteArray),
        “http://www.w3.org/2001/04/xmldsig-more#hmac-sha256”);

        var issued = data.Properties.IssuedUtc;
        var expires = data.Properties.ExpiresUtc;

        var token = new JwtSecurityToken(_issuer, audienceId, data.Identity.Claims, issued.Value.UtcDateTime, expires.Value.UtcDateTime, signingKey);

        works with latest – you don’t need thinktecture anymore

  14. Ronnie says

    Hello Taiseer,

    Excellent articles/tutorials..!!!

    I’ve built an Auth and API Resource Server solution based on this tutorial and your ‘ASP.NET Identity 2.1 with ASP.NET Web API 2.2 (Accounts Management)’ series. Both work great..!!! Thanks again..!

    I built a 3rd Resource as an MVC Web Client to maintain the API Resource. This is where I’m having problems.

    – Both Resources (API and MVC) share the same client_id (Audience) and secret.

    – When using Fiddler, I can successfully request a JWT from the Auth Server, then pass it in the header and make a request to the MVC Resource’s controller actions with [Authorize].

    – But from the MVC Resource itself, via code, I can successfully get a JWT , but then I don’t know how/where to add it to each request (within the MVC Resource)

    I’m thinking somehow add in Startup.cs: if (token != null), add header ‘Authorization: bearer token’ but no success.
    Then I tried using JwtSecurityToken(token) method to decode and directly access the claims and use it in the AccountController’s SignIn().

    Any assistance in pointing me in the right direction, or if its even possible would be appreciated.

    Regards,
    Ronnie

    • Ronnie says

      Never mind, figured it out.
      Rather than directly using the JWT ClaimsIdentity in SignIn(), I had to parse it into new claims with naming structure ASP.NET Identity likes.

      eg: JWT claim for role type is named ‘role’, but ASP.NET Identity requires the type name to be ‘http://schemas.microsoft.com/ws/2008/06/identity/claims/role’

      Thanks again for the tutorial..!!!

    • Taiseer Joudeh says

      Hello Ronnie,

      I think you need to treat your MVC application as a client for the API and use HTTP services to get the token from AuthZ Server, store in a storage cookie and then send this token in the AuthZ header. Maybe this post will give you guide on how to achieve this.

  15. Yanko Spassov says

    Hello Taiseer,
    First of all – Happy New Year to you and your family!
    And thank you for your great articles.

    I am developing an Authentication server that will be responsible for many Resource servers (audiences). I have also two type of client apps – one is angular2 web based (or mobile – phonegap hybrid) and the other one is a Desktop App (WPF). I am following almost your serie “ASP.NET Identity 2.1 with ASP.NET Web API 2.2 (Accounts Management)” part 1 to 5 and this article to decouple resource servers without using machine key and issuing JWT for specific audience.
    So far everything work as expected, but I need a little help to implement the following scenario:
    – Client Application (web based) is requesting a token for accessing audience No.XXX
    – Auth. server issuing token for audience XXX signed with secret for mentioned audience (obtained from Audience table).
    – With this token Client App with no problem has access to protected endpoints in audience XXX.
    -? But what if the same client have to access some protected endpoint in Authentication server (for changing their own password, own profile or for administrating purposes). This token is issued for audience XXX and even if I add another audiences (I have created one for Authentication server itself) the token is signed with secret XXX.
    The obvious choice is to use same secret for all audiences – but his will compromise them all if one audience has been compromised.
    Is there any other option for achieving this?
    Your comment will be very appreciated.
    Thank you in advance.

  16. Alex says

    Hello Taiser
    Your blog has been extremely useful in learning about implementing security for our api developments.

    I wanted to ask you about something that is confusing me. Im attempting to implement a MVC client – WebApi Auth Server – Web Resource Server architecture.
    Reading this post and the one about refresh tokens (https://bitoftech.net/2014/07/16/enable-oauth-refresh-tokens-angularjs-app-using-asp-net-web-api-2-owin/) im not sure about what the client_id should be used for. In one article it represents the client application, which the auth server validates when issuing a refresh token, and in this article it refers to the resource server, which is verified when the resource server consumes the token.
    Which would be the correct way to implement refresh tokens (with client validation) and audience validation? Adding another parameter to the token requests?

  17. Sarang K says

    Hello Taiseer,

    Great articles.

    I have implemented JWT in my MVC 5 app & using it to authorise Web APIs that I have created for mobile apps.
    Now what I want to do is, one user should use one account on a single device at a time. That means if user tries to login into app in multiple devices, all previous login should expire. For this at every token request I want to expire all previous tokens of that user. But I didn’t get any help on web. Can you please help me in this?

    • Taiseer Joudeh says

      Sorry for the late reply, if you need to achieve this, you need to keep track of the device Id user logged from, so with each login for the same user, you can inspect the device id, if it is a new one, then you delete the refresh token for the previous device ids for this user, and you want for the access token to expire. So that means you should issue short lived access tokens, you will never be able to revoke a self-contained access token.

    • Taiseer Joudeh says

      Hi,
      Refresh tokens should be used regardless the format of the access token if you need to keep users signed in and refresh the access token “silently” without requesting the user username/password

  18. Maksym Pavlov says

    In this particular example, how would one add support for Refresh Tokens? Currently, the validity of the token is short-lived, while refresh tokens are not the part of the shown authorization server solution.

    • Vin says

      Hi,
      I added a support for Refresh token but its not working as expected. Did you manage to make it work for you? If so, could you please share some details?

  19. Ulysses Alves says

    Hey, Taiseer. I couldn’t find out how to make a request to the ProtectedController Get action.

    The answer I get from the server is always {“Message”:”Authorization has been denied for this request.”}. I’ve tried to send the token as a parameter in the head of the GET request: access_token, auth_token, accessToken… No one of these looks like to be recognized by the server.

    I thought it could be because of the user roles, but changing the [Authorize] attribute with the same user roles as the ones of the token didn’t work either. Finally, I removed the [Authorize] attribute and then the server responded with an empty array (of course), making it clear that the web api action is working correctly, the only problem is that the token is not being recognized by the server.

    Could you please tell us how to make a request to the ProtectedController the same way as you did with the Postman examples for the token endpoint? It would help me a lot, for which I would be very grateful.

  20. Annie says

    Hello, I loved this tutorial, but I have a problem, when a token is supposed to be expired is taken by Authorized anyways. ¿Can you help me?

  21. suman says

    Hi,

    Nice article.

    Is there any way to pass the generated token to Resource server to access it data using postman

  22. James White says

    Great walk-through, as an absolute noob in this space I found it easy to walk through the steps right up until the point where you actually request the resource. I’ll go track it down elsewhere but it would be awesome if you showed the Postman request/response to the resource server at the end.

  23. Marcus Mendes says

    Thank you for this great post, the only note to do is about a typo on Step 1.2: Install the needed NuGet Packages, where is typed “Install-Package Thinktecture.IdentityModel.Core Version 1.2.0” , need to add an “-” minus sign before Version: “Install-Package Thinktecture.IdentityModel.Core -Version 1.2.0”

  24. Filipe says

    Great article. Clear, detailed and gave me an ample view of JWT tokens.
    Thank you very much.

    I build your code in my PC and issue a token using postman. After that I copy and paste token on jwt.io and I get an alert of “Invalid Signature”. Your code was not changed by me and the signature I’m telling jwt.io is the one defined on audience secret (IxrAjDoa2FqElO7IhrSrUJELhUckePEPVpaePlS_Xaw).

    Am I doing something wrong?

  25. Raj says

    How to consume jwt token from post man tool. I mean server returned you bearer token with jwt and now i want to consume it using postman tool

  26. Arturo Noel Ferreiro Vilchis says

    Excelent article. I think it serves me for a microservices architecture.

    If i has a microservices architecture. Which is the best aproach?, One same audience (client id) for all microservices and only one JWT, or do i need to generate one JWT for every microservice (thinking that one microservice is one audience). Thank you.

    Or, is there a standard to have JWT with microservices?

  27. Arturo says

    Hi Taiseer. Thank you very much for the article.

    I have a question. What if you need to consume a resource server (audience) from another resource server (audience), considering that you sent the Json Web Token to the first resource server from client (ex. A web app)? If you have the same secret in the two resource servers to validate the same token, can you pass the same token for the first resource server to the second resource server from the first resource server? And how to do this with c#?

    Thank you very much for your time.

  28. Pierre Thalamy says

    Hi Taiseer,

    Your tutorial has been of great help setting up my backend infrastucture, thanks.

    However, there is one aspect of your implementation I am having problems with:

    When requesting a new access_token from your Authorization server through the Resource Owner Credentials grant flow, you are setting the client_id parameter to the audience id of the resource server. Shouldn’t client_id be a unique identifier relative to the CLIENT instead of the requested AUDIENCE?
    Let’s say I have two clients, a mobile application and a Javascript SPA, both targeting the same resource server. In your implementation it seems that I have no way to distinguish which of those clients are requesting a token from my autorisation server. It becomes problematic once refresh tokens are added, as I want to keep one in database for each user and client, not one for each user and audience.

    I hope my remark was stated clearly enough. Am I missing something?

  29. nicky says

    Hi Taiseer,

    First of all thanks for your precious work.

    I have a question on the topic: is it possible to minimize the claims included in the encoded token?
    Meaning: is it possible to exclude the user_id for instance?

    Thanks again

    • Taiseer Joudeh says

      Hi Nicky,
      The userId is the most important claim in the token, without it you will not be able to identify to whom this token belongs, right? For other claims you can remove them.

  30. Thomas Moltzen-Bildsøe says

    Hi Taiseer,

    Thanks for the great tutorial. It helped me alot.

    I have a question. I use the token in both MVC and Web API by storing the returned token in a cookie. For now I create the cookie in Javascript on the client.

    For security reasons I would like the JWT issuer to return the token as a HttpOnly cookie as opposed to json-payload. Is this possible, could you point me in the right direction?

    BR
    Thomas

  31. Bruno Grillo says

    Hi Taiseer,

    Thanks for this post and all the serie about “Token Based Authentication using ASP.NET Web API 2, Owin, and Identity”. It has been very helpful to me.

    When trying to update some of the packages used in this tutorial I have encountered some problems, especially with a conflict of “System.IdentityModel” version when using “Microsoft.Owin.Security.Jwt”.

    To solve this, I have implemented the Unprotect method in a new “CustomJwtFormat” class to use for validation on the resource server. That way I use “UseOAuthBearerAuthentication” with “AccessTokenFormat = new CustomJwtFormat …” instead of “UseJwtBearerAuthentication” in the Startup.

    For validation with “System.IdentityModel.Tokens.Jwt” I have based on its own code (http://bit.ly/2tkrbeP) but simplifying it to cover the needs of this example (which are mine 🙂

    I removed “Thinktecture.IdentityModel.Tokens” and “Microsoft.Owin.Security.Jwt” because they are not longer necessary.

    I have commited the updated version with these changes here in case it can be useful for anyone:
    https://github.com/bcgrillo/JWTAspNetWebApi/commit/d10b4018d472bb7cb35bb20c658697e653d0ad56

    Of course, happy to receive any suggestions or comments.

    Once again, thank you very much for your blog. I keep reading you.

    Cheers

    • Vitaliy says

      Hey Bruno,
      What if inside of your CustomJwtFormat.Unprotect() you would use JwtFormat.Uprotect().
      So instead of all that logic that you implemented, just delegate this to Microsoft’s version of Unpotect().
      Somewhat like this:

      public AuthenticationTicket Unprotect(string protectedText)
      {
      var key = ConfigurationManager.AppSettings[“jwtKey”]; ;
      byte[] keyBytes = Encoding.UTF8.GetBytes(key);
      var jwtFormat = new JwtFormat(
      “YOUR_AUDIENCE”,
      issuerCredentialProvider: new SymmetricKeyIssuerSecurityKeyProvider(_issuer, keyBytes));
      var ticket= jwtFormat.Unprotect(protectedText);
      return ticket;
      }

  32. samoeun says

    Great tutorial!
    It is really save me.
    I follow your tutorial it works fine in the same server even difference project but I have one problem with difference hosting. it show me just 401 unauthorized when access to resource service.

  33. Karen says

    Hi Taiseer,
    Your tutorials are absolutely excellent!
    You mentioned that in a real world scenario, the Resource Server might need to regenerate the secret that is being used to sign the token.
    I would like to know more about this. Specifically, how does the resource server pick up this new secret?
    In your examples, the secret is read in at startup, using app.UseJwtBearerAuthentication().
    If the resource server got a new secret, how could it use that secret without restarting the server? Where/how would I update the secret that was initially set in UseJwtBearerAuthentication? Can that be called from anywhere in the application?
    Any help is appreciated!
    Thanks again for the wonderful tutorials – they have been a lifesaver!

  34. Mike says

    Hi Taiseer,

    Good article and easy to follow. Just one question… can this be tested on Visual studio rather than postman?

    Kind Regards

    Mike

  35. Aziz says

    hi Taiser, the Migration thing is not working …as if EF not not installed.
    getting this: update-database -verbose
    update-database : The term ‘update-database’ is not recognized as the name of a cmdlet, function, script file, or

  36. Joe says

    Hi Taiseer:

    I keep getting “message”: “Authorization has been denied for this request.”. Any ideas?

    I validated the token on the jwt.io website and I got no errors, i.e., it was validated. I can’t seem to figure out where to put a breakpoint that’ll actually get caught but so far I can’t even debug.

    Any thoughts?

  37. samuel says

    Sir, what an perfect selfless article for lessser Mortals like me. God Bless you.
    Got exactly what I needed.

  38. Banh Cao Quyen says

    Hello Sir,
    I got this issue when i try to access to api/protected with postman
    “Authorization has been denied for this request.”

  39. Stalin says

    This is a great tutorial, thank you!
    I have a question, how can I set the TokendEndpointPath from a value of a database table?

  40. mehdi says

    Hi Bro
    first thnx for your good tutorial really thnx
    I have question from u
    why allowedOrigin is always null ?
    var allowedOrigin = context.OwinContext.Get(“as:clientAllowedOrigin”);

  41. RezaAb says

    How to use both of them together (identity and jwt) ?
    When logging in with jwt, I also log in to identity.

  42. Mohan says

    Hi, I got this issue when i try to access to api/protected with postman
    "Authorization has been denied for this request."

    I was able to generate the token. I want to check whether the token is valid or not.

    How to check the token.

  43. James says

    I implemented all this code, but then when I try to run it, nothing happens, to test if it is working, I just debug this and then do a post ?

  44. Nazir says

    Hi Taiseer,

    Thank you for the excellent post and series.

    Do you have any pointers on how I would go about sharing the auth with an MVC app?

    Currently it is using the built in identity auth but I would like for the mvc and web.api to share the same auth.

    Thank you so much

  45. Lorenz says

    Hi.

    I tried running this in my local machine. Adding of audience works but when I try to POST to /oauth2/token it returns 404 not found. Any ideas about this?

  46. Jackie says

    Hi, I got this issue when i try to access to api/protected with postman

    "Authorization has been denied for this request."

    I was able to generate the token. I want to check whether the token is valid or not.

    Unable to verify whether the Token generated is correct or not.

  47. Bob Drew says

    Thank you for a wonderful series! I have a conceptual question. How is this implementation (using JWT/OWIN) different from the implementation that uses Microsoft Identity (Ref: your article titled “Token Based Authentication using ASP.NET Web API 2, Owin, and Identity”)

    My understanding is that MS Identity is what’s recommended by Microsoft for Authentication and Authorization. I am trying to wrap my head on how this implementation is conceptually different?

  48. Santosh Jha says

    Hi Taiseer,
    Hi few questions:
    1. in this tutorial Audience is the client application which is going to access the API (Resource ) or what.
    2. A have a web site and 2 mobile APP one in IOS and another in Android and all uses some API which is hosted on a different server. So do i Need to have separate Login page for the application or How to manage it.
    3. Lastly I am little bit confused about the Identity Server and JWT implementation.
    4. In this we are passing password in the request to get the token – is there any other way to achieve that I mean any Grant_Type.

  49. uvie says

    hi @https://bitoftech.net/taiseer-joudeh-blog/.
    in a situation where you have two clients web and mobile both using the same resource server api with different clientid and client secret. what would be the values for allowed audiences and secret when configuring the app to use jwt

  50. Tabssum says

    Hello ,
    i want to apply same logic in .net core,i already convert all files in .net core but when we configur in startup.cs file here you used OWIN IAppBuilder for app.UseOAuthAuthorizationServer(OAuthServerOptions); so in .net core we have IApplicationBuilder so how can i achieve this.

    Please help.

  51. Tabssum says

    Hello ,
    I tried to write above application in .net core 2.2,
    I am facing problem in Startup.cs class where below highlighted line is not working for me.

    IAppBuilder is from “using Owin;” and IApplicationBuilder is from Microsoft.AspNetCore.Builder ,so how can i achieve in .net core

    public void ConfigureOAuth(IAppBuilder app)
    {

    OAuthAuthorizationServerOptions OAuthServerOptions = new OAuthAuthorizationServerOptions()
    {
    //For Dev enviroment only (on production should be AllowInsecureHttp = false)
    AllowInsecureHttp = true,
    TokenEndpointPath = new PathString(“/oauth2/token”),//new PathString(configurationmanager.appsetting[“as:token”] ==>/arcontoken
    AccessTokenExpireTimeSpan = TimeSpan.FromMinutes(30),
    Provider = new CustomOAuthProvider(),
    AccessTokenFormat = new CustomJwtFormat(“http://jwtauthzsrv.azurewebsites.net”)
    //refreshtokenprovider=new cudtomrefreshtokenprovider
    };

    // OAuth 2.0 Bearer Access Token Generation
    app.UseOAuthAuthorizationServer(OAuthServerOptions);

    }

  52. rajwin says

    First of all thanks for such a great article(Article:JSON Web Token in ASP.NET Web API 2 using Owin) about Authentication and Authorization.

    I have some doubt about Authorization server and Resource server used in your article, which i have listed below.

    1. When issuing JSON token,in payload claims for “aud” you are passing generated id ,why it is not resource server name.
    (Article:JSON Web Token in ASP.NET Web API 2 using Owin)

    2. Whether AudienceModel class ‘Name’ and Audience class ‘Name’ both are same.(Article:JSON Web Token in ASP.NET Web API 2 using Owin)

    3. If JWT debugger tool is allowed then u easily decode jwt token and get information ,so where goes security and again jwt is insecure?
    (Article:JSON Web Token in ASP.NET Web API 2 using Owin)

    4. Whether jwt generated from here can be used both in asp.net mvc projects and also for angular 2+ projects?

    5. As per your article (i.e Decoupling authorization server from resource server).Whether Authorization server and resource server are in same machine.For eg:- if my server is IIS, then you mean to say that IIS Server can be called as Authrorization Server and also Resource Server.Is it True?

    Eagerly waiting for your Positive reply

    Thanks
    rajwin

  53. Jayakumar Vinayagam says

    am able to get this done, much appreciated.
    client request the token then server proceed the sequence of steps to validate the client posted value and finally share token.

    I validate the token for authorized resource, in mean-time where my generated token stored either in server(iis) storage or application in-memory?

  54. giles says

    would be good to make clear the importance of unique_name – this is where the owin middle where picks for use identity

  55. Vitaliy says

    What abt implementing of
    public AuthenticationTicket Unprotect(string protectedText)
    {
    throw new NotImplementedException();
    }

    This method is called when resource method invoked..

  56. Vitaliy says

    Hi Taiseer,
    In UseJwtBearerAuthentication middleware you have hardcoded audience… but when you create token, you do lookup for audience.
    In real life they must match, right, otherwise authorization fail…?

  57. Rukshan says

    Hello taiseer ! how can we add a refresh token when the token expires in this code that you have provided? Assuming that it is the most important topic

  58. Mario says

    Hi, I updated your code to run on latest versions of owin selft host weapi, I removed the dependency to Thinktecture, I beleive it was replaced by Microsoft.IdentityModel.JsonWebTokens or Microsoft.IdentityModel.Tokens and changed only 2 parts in the code to make it work:

    https://github.com/tjoudeh/AspNetIdentity.WebApi/blob/master/AspNetIdentity.WebApi/Providers/CustomJwtFormat.cs

    public class CustomJwtFormat : ISecureDataFormat
    {

    public string Protect(AuthenticationTicket data)
    {
    if (data == null) throw new ArgumentNullException(“data”);

    var keyByteArray = TextEncodings.Base64Url.Decode(SymmetricKeyAsBase64);
    var securityKey = new Microsoft.IdentityModel.Tokens.SymmetricSecurityKey(keyByteArray);
    var signingCredentials = new Microsoft.IdentityModel.Tokens.SigningCredentials(securityKey, System.IdentityModel.Tokens.SecurityAlgorithms.HmacSha256Signature);
    var token = new System.IdentityModel.Tokens.Jwt.JwtSecurityToken(Issuer, AudienceId, data.Identity.Claims, data.Properties.IssuedUtc.Value.UtcDateTime, data.Properties.ExpiresUtc.Value.UtcDateTime, signingCredentials);
    var handler = new System.IdentityModel.Tokens.Jwt.JwtSecurityTokenHandler();
    return handler.WriteToken(token);
    }

    }

    and had to add a “nameid” claim to the users on creation cause the new package didn’t add it in that property:

    var claim = new Claim(“nameid”, appUser.Id);
    var addClaimResult = userManager.AddClaimAsync(appUser.Id, claim).Result;

  59. Amir Daneshvar says

    After 5 hours of working with the site, users get “Invalid client_id ….” or “client_Id is not set” until i restart the iis server.
    is that because the static audiencesList is Full?

    have you any idea for that?

  60. Vin says

    Hi,
    I added a support for Refresh token but its not working as expected. Did you manage to make it work for you? If so, could you please share some details?

  61. Basant says

    I implemented the Unprotect(string protectedText) because both the Authroization Servcer and Resource APIs are same. However, I’m getting ‘Authorization has been denied for this request’ error even though the token was unprotected successfully.

  62. Basant says

    Hi,

    Did you try to implement it? I’m getting ‘Authorization has been denied for this request’ even after implementing this method.

    Regards,
    Basant

  63. Muhammad says

    This is an excelent post and I really appreciate.

    One question, what if we have to allow number of audiences which is not permitted in given example, though JwtBearerAuthenticationOptions “AllowedAudiences” allows to have multiple audiences but method “ConfigureOAuth( )” will be called only once while starting application so in this scenario whenever we add/authorize new client we will require to add new audience here that means (modify, recompile, stop service, replace dll and restart service). Kindly shed some light how we can add new audiences on the fly?

  64. Muhammad says

    This is an excelent post and I really appreciate.

    One question, what if we have to allow number of audiences which is not permitted in given example, though JwtBearerAuthenticationOptions AllowedAudiences allows to have multiple audiences but method ConfigureOAuth( ) will be called only once while starting application so in this scenario whenever we add or authorize new client we will require to add new audience here that means modify, recompile, stop service, replace dll and restart service. Kindly shed some light how we can add new audiences on the fly

  65. Muhammad says

    This is an excelent post and I really appreciate.

    One question, what if we have to allow number of audiences which is not permitted in given example, though JwtBearerAuthenticationOptions AllowedAudiences allows to have multiple audiences but method ConfigureOAuth will be called only once while starting application so in this scenario whenever we add or authorize new client we will require to add new audience here that means modify, recompile, stop service, replace dll and restart service. Kindly shed some light how we can add new audiences on the fly

  66. Michael says

    I followed your tutorial closely and I can generate a JWT token which is great. Unfortunately, I cannot access any of the protected endpoints using this token as the Authorization Bearer in the requests. The token is not expired, so I’m not sure what is happening. Any ideas? This is .Net Framework 4.6.

Leave a Reply Cancel reply

Your email address will not be published. Required fields are marked *

This site uses Akismet to reduce spam. Learn how your comment data is processed.

Search

[フレーム]

AltStyle によって変換されたページ (->オリジナル) /