.NET MAUI Blazor Hybrid and Web App with ASP.NET Core Identity (original) (raw)
This sample app demonstrates how to build a .NET MAUI Blazor Hybrid app with a Blazor Web App that uses ASP.NET Core Identity. It shows how to share common UI and authenticate with ASP.NET Core Identity local accounts. Although ASP.NET Core Identity is used, you can use this pattern for any authentication provider from a MAUI Blazor Hybrid client.
The sample:
- Sets up the UI to show or hide pages based on user authentication.
- Sets up ASP.NET Core Identity endpoints for remote clients.
- Logs users in, logs users out, and refreshes tokens from the MAUI client.
- Saves and retrieves tokens in secure device storage.
- Calls a secure endpoint (
/api/weather
) from the client for weather data.
Prerequisites and preliminary steps
For prerequisites and preliminary steps, see Build a .NET MAUI Blazor Hybrid app. We recommend using the MAUI Blazor Hybrid tutorial to set up your local system for MAUI development before using the guidance in this article and the sample app.
Sample app
Obtain the sample app in the MauiBlazorWebIdentity
folder of the Blazor samples GitHub repository (dotnet/blazor-samples) (.NET 9 or later).
The sample app is a starter solution that contains a native, cross-platform MAUI Blazor Hybrid app, a Blazor Web App, and a Razor class library (RCL) that contains the shared UI (Razor components) used by the native and web apps.
- Clone this repository or download a ZIP archive of the repository. For more information, see How to download a sample.
- Make sure you have .NET 9 and the MAUI workload installed (.NET MAUI documentation).
- Open the solution in Visual Studio (2022 or later) or VS Code with the .NET MAUI extension installed.
- Set the
MauiBlazorWeb
MAUI project as the startup project. In Visual Studio, right-click the project and select Set as Startup Project. - Start the
MauiBlazorWeb.Web
project without debugging. In Visual Studio, right-click on the project and select Debug > Start without Debugging. - Inspect the Identity endpoints by navigating to
https://localhost:7157/swagger
in a browser. - Navigate to
https://localhost:7157/account/register
to register a user in the Blazor Web App. Immediately after the user is registered, use the Click here to confirm your account link in the UI to confirm the user's email address because a real email sender isn't registered for account confirmation. - Start (
F5
) theMauiBlazorWeb
MAUI project. You can set the debug target to either Windows or an Android emulator. - Notice you can only see the
Home
andLogin
pages. - Log in with the user that you registered.
- Notice you can now see the shared
Counter
andWeather
pages. - Log out and notice you can only see the
Home
andLogin
pages again. - Navigate to
https://localhost:7157/
in a browser and the web app behaves the same.
The shared UI is in the MauiBlazorWeb.Shared
project. This project contains the Razor components that are shared between the MAUI and Blazor Web App projects (Home, Counter and Weather pages). The Counter
component and Weather
component are protected by [Authorize] attributes, so users can't navigate to them unless they're logged into the app.
In the Razor directives at the tops of the Counter
component (MauiBlazorWeb.Shared/Pages/Counter.razor
) and Weather
component (MauiBlazorWeb.Shared/Pages/Weather.razor
) files:
@using Microsoft.AspNetCore.Authorization
@attribute [Authorize]
MAUI app and Blazor Web App routing
The Routes
component uses an AuthorizeRouteView to route users based on their authentication status. If a user isn't authenticated, they're redirected to the Login
page. For more information, see ASP.NET Core Blazor authentication and authorization.
In MauiBlazorWeb.Web/Components/Routes.razor
:
<AuthorizeRouteView ...>
<Authorizing>
Authorizing...
</Authorizing>
<NotAuthorized>
<Login />
</NotAuthorized>
</AuthorizeRouteView>
The NavMenu component contains the navigation menu that uses an AuthorizeView component to show or hide links based on the user's authentication status.
In MauiBlazorWeb.Web/Components/Layout/NavMenu.razor
:
<AuthorizeView>
<NotAuthorized>
...
</NotAuthorized>
<Authorized>
...
</Authorized>
</AuthorizeView>
Server project
The Blazor Web App project (MauiBlazorWeb.Web
) of the sample app contains the ASP.NET Core Identity pages and uses the SignInManager framework class to manage logins and users on the server. In order for the MAUI client (or any external client) to authenticate, the Identity endpoints must be registered and exposed. In the Program
file, Identity endpoints are set up with the calls to:
- AddIdentityApiEndpoints
- MapIdentityApi
MapAdditionalIdentityEndpoints
(MauiBlazorWeb.Web/Components/Account/IdentityComponentsEndpointRouteBuilderExtensions.cs
).
In MauiBlazorWeb.Web/Program.cs
:
builder.Services.AddIdentityApiEndpoints<ApplicationUser>(...)
.AddEntityFrameworkStores<ApplicationDbContext>();
...
app.MapGroup("/identity").MapIdentityApi<ApplicationUser>();
...
app.MapAdditionalIdentityEndpoints();
Important
ASP.NET Core Identity pages and the implementation of the SignInManager framework class to manage logins and users is generated automatically when you create a a project from the Blazor Web App project template with Individual Accounts.
This article focuses on using the provided sample app; but when creating a new project from the Blazor Web App template, you must remove the generated call to AddIdentityCookies on AddAuthentication. The call isn't necessary when implementing API such as MapAdditionalIdentityEndpoints
in the sample app and results in an error if left in the app.
Log in from the MAUI client
The Login
component (/identity/login
endpoint) is where the user logs in. The component injects the MauiAuthenticationStateProvider
(MauiBlazorWeb/Services/MauiAuthenticationStateProvider.cs
) and uses the AuthenticationStateProvider to authenticate the user and redirect them to the homepage if successful. When the state changes, the AuthorizeView component shows the appropriate links based on the user's authentication status.
In MauiBlazorWeb/Components/Pages/Login.razor
:
private async Task LoginUser()
{
await AuthStateProvider.LogInAsync(LoginModel);
if (AuthStateProvider.LoginStatus != LoginStatus.Success)
{
loginFailureHidden = false;
return;
}
Navigation.NavigateTo("");
}
Note
This sample only implements Login and Logout pages on the MAUI client, but you can build Register and other management pages against the exposed Identity endpoints for more functionality. For more information on Identity endpoints, see Use Identity to secure a Web API backend for SPAs.
MAUI Authentication State Provider (MauiAuthenticationStateProvider
)
The MauiAuthenticationStateProvider
class is responsible for managing the user's authentication state and providing the AuthenticationState to the app. The MauiAuthenticationStateProvider
class uses an HttpClient to make requests to the server to authenticate the user. For more information, see ASP.NET Core Blazor Hybrid authentication and authorization.
In MauiBlazorWeb/Services/MauiAuthenticationStateProvider.cs
:
private async Task<ClaimsPrincipal> LoginWithProviderAsync(LoginRequest loginModel)
{
var authenticatedUser = _defaultUser;
LoginStatus = LoginStatus.None;
try
{
// Call the Login endpoint and pass the email and password
var httpClient = HttpClientHelper.GetHttpClient();
var loginData = new { loginModel.Email, loginModel.Password };
var response = await httpClient.PostAsJsonAsync(HttpClientHelper.LoginUrl,
loginData);
LoginStatus =
response.IsSuccessStatusCode ? LoginStatus.Success : LoginStatus.Failed;
if (LoginStatus == LoginStatus.Success)
{
// Save token to secure storage so the user doesn't have to login
// every time
var token = await response.Content.ReadAsStringAsync();
_accessToken = await TokenStorage.SaveTokenToSecureStorageAsync(token,
loginModel.Email);
authenticatedUser = CreateAuthenticatedUser(loginModel.Email);
LoginStatus = LoginStatus.Success;
}
else
{
LoginFailureMessage = "Invalid Email or Password. Please try again.";
LoginStatus = LoginStatus.Failed;
}
}
catch (Exception ex)
{
Debug.WriteLine($"Error logging in: {ex}");
LoginFailureMessage = "Server error.";
LoginStatus = LoginStatus.Failed;
}
return authenticatedUser;
}
The MauiAuthenticationStateProvider
class uses the HttpClientHelper
(MauiBlazorWeb/Services/HttpClientHelper.cs
) to handle calling localhost via the emulators and simulators for testing. For more information on calling local services from emulators and simulators, see Connect to local web services from Android emulators and iOS simulators (.NET MAUI documentation).
The MAUI Authentication State Provider also uses the TokenStorage
class (MauiBlazorWeb/Services/TokenStorage.cs
) that uses SecureStorage API (.NET MAUI documentation) to store the user's token securely on the device. It refreshes the token near token expiration to avoid user logins.
MAUI MauiProgram
file
The MAUI project's MauiProgram
file (MauiProgram.cs
) is where the MauiAuthenticationStateProvider
is registered in the DI container. Authorization core components are also registered, where API such as AuthorizeView component are defined.
In MauiBlazorWeb/MauiProgram.cs
, core functionality is added by calling AddAuthorizationCore:
builder.Services.AddAuthorizationCore();
The app's custom AuthenticationStateProvider (MauiAuthenticationStateProvider
) is registered in MauiProgram.cs
:
builder.Services.AddScoped<MauiAuthenticationStateProvider>();
Use the MauiAuthenticationStateProvider
when the app requires an AuthenticationStateProvider:
builder.Services.AddScoped<AuthenticationStateProvider>(s =>
(MauiAuthenticationStateProvider)
s.GetRequiredService<MauiAuthenticationStateProvider>());