Microsoft authentication in .NET Corecopy link
How to let users login with a Microsoft account in .NET Core
overviewcopy link
Follow this tutorial to enable users to sign in to your ASP.NET Core application with their work, school, or personal Microsoft account by using the official Microsoft.AspNetCore.Authentication.MicrosoftAccount NuGet package.
To create a new .NET Core application in Visual Studio:
- Select the ASP.NET Core Web App template and name the project
- Select Individual User Accounts as the Authentication type
To create a new .NET Core application in Visual Studio Code on Mac:
dotnet new webapp -o projectname -au IndividualSQLite will be used as the database by default.
To create a new .NET Core application in Visual Studio Code on Windows:
dotnet new webapp -o projectname -au Individual -uldLocalDB will be used as the database with the -uld option.
Install the MicrosoftAccount package used for authentication in this tutorial:
dotnet add package \Microsoft.AspNetCore.Authentication.MicrosoftAccountRun the new application to verify the initial setup was successful:
dotnet runapp registrationcopy link
Signing in with an OAuth provider like Microsoft requires registering your application to get a unique Client ID and Client Secret which are like a user name and password used by the provider to identify your application. For Microsoft accounts this is done by creating an App Registration in Azure Portal.
- Sign in to the Azure Portal
- Open the App Registrations blade of Azure Active Directory service
- Click New Registration
Enter a Name and select a Supported account type:
- The MicrosoftAccount package used in this tutorial supports “Accounts in any organizational directory (Any Azure AD directory - Multitenant)” and “Accounts in any organizational directory (Any Azure AD directory - Multitenant) and personal Microsoft accounts (e.g. Skype, Xbox) ” options by default.
- To use the other options you will have to pass in additional settings when configuring the authentication middleware in the next step.
Select the Web platform under Redirect URI and enter your development URL, appending /signin-microsoft to the end, for example:
https://localhost:7158/signin-microsoft/**/ The Microsoft authentication middleware automatically handles requests at
/signin-microsoftroute to implement the OAuth flow. The route name can be customized when configuring the middleware later.
Click Register to create the App Registration.
secret storagecopy link
With .NET core you have many options for storing sensitive settings:
- Environment variables for local, on-premise, or cloud development
- Secret Manager for local development
- Azure App Configuration for cloud development on a budget
- Azure Key Vault for enterprise cloud development
Multiple providers can be configured to merge settings from different sources. For example you can use the Secret Manager for local development and your application will switch to Azure KeyVault when it’s running in the cloud.
In this tutorial we’ll stick to the Secret Manager even though Environment Variables are a more universal way to load settings because .NET Core does not support .env files out of the box. See the Dusted Codes tutorial for creating a custom settings provider to load from .env if you’re interested.
Locate the Application (client) ID field on the Overview page of the new App Registration and substitute it for <client-id> in the following command:
dotnet user-secrets \set "Authentication:Microsoft:ClientId" "<client-id>"Generate and configure a secret for your App Registration:
- Go to the Certificates & secrets blade of the App Registration and click New client secret
- Enter your description and select expiration
- Click Add on the bottom of the blade
You will see a new row added to Client secrets on Certificates & secrets blade, with the Value field containing the secret you need for this step.
/**/ Ignore the Secret ID field as that’s a unique ID for the secret itself, needed because Azure lets you configure multiple secrets.
Configure the client secret for your application using the Secret Manager:
dotnet user-secrets \set "Authentication:Microsoft:ClientSecret" "<secret>"auth middlewarecopy link
The last step is to configure the Microsoft authentication middleware by calling AddAuthentication and then AddMicrosoftAccount:
builder.Services    .AddAuthentication()    .AddMicrosoftAccount(microsoftOptions =>  {      microsoftOptions.ClientId = builder.Configuration        ["Authentication:Microsoft:ClientId"];      microsoftOptions.ClientSecret = builder.Configuration        ["Authentication:Microsoft:ClientSecret"];  });If you selected “Accounts in this organizational directory only (Default Directory only - Single tenant)” or “Personal Microsoft accounts only” account type when creating the App Registration, click Endpoints on the App Registration Overview blade to look up the endpoints to use.
/**/ The account type selected when creating the App Registration is available on Authentication blade under Supported account types.
- The OAuth 2.0 authorization endpoint (v2) contains the value for AuthorizationEnpointoption in the snippet below.
- The OAuth 2.0 token endpoint (v2) contains the value for TokenEndpointoption in the snippet below.
These settings are not secrets and can be stored in appsettings.json. Plug them into the call to AddMicrosoftAccount added in the previous listing:
microsoftOptions.AuthorizationEndpoint = builder.Configuration  ["Authentication:Microsoft:AuthorizationEndpoint"];microsoftOptions.TokenEndpoint = builder.Configuration  ["Authentication:Microsoft:TokenEndpoint"];test authenticationcopy link
Your users will have to go through the following steps to create a new account:
- Click Login on the top navigation
- On the Login page under Use Another Service to Login, click Microsoft
- You will be redirected to login with your Microsoft account
- Accept to be redirected back to your application to finish registration
- Register to create a new user account in the database using the email address extracted from the user’s Microsoft account
- Confirm your email to complete the new account setup
how it workscopy link
The package used in this tutorial implements the OAuth 2 Authorization Code Grant on the backend. See Aaron Parecki’s friendly description of this flow.

- The user clicks Login → Login with Another Provider → Microsoft
- The OAuth middleware in MicrosoftAccountpackage redirects the user tooauth2/v2.0/authorizeendpoint
- Azure AD redirects back to your ASP.NET backend, sending either the authorization code or an error
- The middleware in MicrosoftAccountpackage intercepts the request and calls the Azure Active Directorytokenendpoint to exchange the authorization code it received with an access token
- Azure AD returns an OAuth 2.0 token to your ASP.NET backend, which can be used to access user profile information
- The user is authorized to access password-protected parts of your application, and has an option to create an individual account so that they can access your application directly without the Microsoft login
The following section details what happens during the authorization grant process.
The OAuth middleware in MicrosoftAccount package redirects the user to oauth2/v2.0/authorize endpoint:
| query parameter | value | 
|---|---|
| client id | App Registration Client ID | 
| response_type | code | 
| state | Unique authorization request identifier | 
| redirect_uri | Must match redirect URI in App Registration | 
| scope | profile | 
Azure AD redirects back to your ASP.NET backend, sending either the authorization code or an error:
| query parameter | value | 
|---|---|
| code | Authorization code | 
| state | The same value provided for stateearlier | 
The middleware in MicrosoftAccount package intercepts the request and calls the Azure Active Directory token endpoint to exchange the authorization code it received with an access token:
| form parameter | value | 
|---|---|
| grant_type | authorization_code | 
| code | The value received from the previous request | 
| redirect_uri | Must match the same value from the first request | 
| client_id | App Registration Client ID | 
| client_secret | App Registration Secret | 
When the .NET application returns the successful response back to the browser, it will set .AspNetCore.Identity.Application cookie containing a session for the logged in user account.