Blazor WebAssembly 3.2.0 Preview 2 release now available

Daniel Roth

A new preview update of Blazor WebAssembly is now available! Here’s what’s new in this release:

  • Integration with ASP.NET Core static web assets
  • Token-based authentication
  • Improved framework caching
  • Updated linker configuration
  • Build Progressive Web Apps

Get started

To get started with Blazor WebAssembly 3.2.0 Preview 2 install the latest .NET Core 3.1 SDK.

NOTE: Version 3.1.102 or later of the .NET Core SDK is required to use this Blazor WebAssembly release! Make sure you have the correct .NET Core SDK version by running dotnet --version from a command prompt.

Once you have the appropriate .NET Core SDK installed, run the following command to install the update Blazor WebAssembly template:

dotnet new -i Microsoft.AspNetCore.Components.WebAssembly.Templates::3.2.0-preview2.20160.5

That’s it! You can find additional docs and samples on https://blazor.net.

Upgrade an existing project

To upgrade an existing Blazor WebAssembly app from 3.2.0 Preview 1 to 3.2.0 Preview 2:

  • Update your package references and namespaces as described below:
    • Microsoft.AspNetCore.Blazor -> Microsoft.AspNetCore.Components.WebAssembly
    • Microsoft.AspNetCore.Blazor.Build -> Microsoft.AspNetCore.Components.WebAssembly.Build
    • Microsoft.AspNetCore.Blazor.DevServer -> Microsoft.AspNetCore.Components.WebAssembly.DevServer
    • Microsoft.AspNetCore.Blazor.Server -> Microsoft.AspNetCore.Components.WebAssembly.Server
    • Microsoft.AspNetCore.Blazor.HttpClient -> Microsoft.AspNetCore.Blazor.HttpClient (unchanged)
    • Microsoft.AspNetCore.Blazor.DataAnnotations.Validation -> Microsoft.AspNetCore.Components.DataAnnotations.Validation
    • Microsoft.AspNetCore.Blazor.Mono -> Microsoft.AspNetCore.Components.WebAssembly.Runtime
    • Mono.WebAssembly.Interop -> Microsoft.JSInterop.WebAssembly
  • Update all Microsoft.AspNetCore.Components.WebAssembly.* package references to version 3.2.0-preview2.20160.5.
  • In Program.cs add a call to builder.Services.AddBaseAddressHttpClient().
  • Rename BlazorLinkOnBuild in your project files to BlazorWebAssemblyEnableLinking.
  • If your Blazor WebAssembly app is hosted using ASP.NET Core, make the following updates in Startup.cs in your Server project:
    • Rename UseBlazorDebugging to UseWebAssemblyDebugging.
    • Remove the calls to services.AddResponseCompression and app.UseResponseCompression() (response compression is now handled by the Blazor framework).
    • Replace the call to app.UseClientSideBlazorFiles<Client.Program>() with app.UseBlazorFrameworkFiles().
    • Replace the call to endpoints.MapFallbackToClientSideBlazor<Client.Program>("index.html") with endpoints.MapFallbackToFile("index.html").

Hopefully that wasn’t too painful!

NOTE: The structure of a published Blazor WebAssembly app has also changed as part of this release, which may require you to update how you deploy your apps. See the “Integration with ASP.NET Core static web assets” section below for details.

Integration with ASP.NET Core static web assets

Blazor WebAssembly apps now integrate seamlessly with how ASP.NET Core handles static web assets. Blazor WebAssembly apps can use the standard ASP.NET Core convention for consuming static web assets from referenced projects and packages: _content/{LIBRARY NAME}/{path}. This allows you to easily pick up static assets from referenced component libraries and JavaScript interop libraries just like you can in a Blazor Server app or any other ASP.NET Core web app.

Blazor WebAssembly apps are also now hosted in ASP.NET Core web apps using the same static web assets infrastructure. After all, a Blazor WebAssembly app is just a bunch of static files!

This integration simplifies the startup code for ASP.NET Core hosted Blazor WebAssembly apps and removes the need to have an assembly reference from the server project to the client project. Only the project reference is needed, so setting ReferenceOutputAssembly to false for the client project reference is now supported.

Building on the static web assets support in ASP.NET Core also enables new scenarios like hosting ASP.NET Core hosted Blazor WebAssembly apps in Docker containers. In Visual Studio you can add docker support to your Blazor WebAssembly app by right-clicking on the Server project and selecting Add > Docker support.

As a result of this change, the structure of the published output of a Blazor WebAssembly app is now more consistent with other ASP.NET Core apps. A Blazor WebAssembly app is now published to the /bin/Release/netstandard2.1/publish/wwwroot folder (a dist folder is no longer generated). To publish a standalone Blazor WebAssembly app as a static site, copy the contents of the published wwwroot folder to your static site host. If the Blazor WebAssembly app is hosted in an ASP.NET Core app, the client Blazor WebAssembly app is published into the wwwroot folder of the published server app just like any other static web asset.

Token-based authentication

Blazor WebAssembly now has built-in support for token-based authentication.

Blazor WebAssembly apps are secured in the same manner as Single Page Applications (SPAs). There are several approaches for authenticating users to SPAs, but the most common and comprehensive approach is to use an implementation based on the OAuth 2.0 protocol, such as OpenID Connect (OIDC). OIDC allows client apps, like a Blazor WebAssembly app, to verify the user identity and obtain basic profile information using a trusted provider.

Using the Blazor WebAssembly project template you can now quickly create apps setup for authentication using:

  • ASP.NET Core Identity and IdentityServer
  • An existing OpenID Connect provider
  • Azure Active Directory

Authenticate using ASP.NET Core Identity and IdentityServer

Authentication for Blazor WebAssembly apps can be handled using ASP.NET Core Identity and IdentityServer. ASP.NET Core Identity handles authenticating users while IdentityServer handles the necessary protocol endpoints.

To create a Blazor WebAssembly app setup with authentication using ASP.NET Core Identity and IdentityServer run the following command:

dotnet new blazorwasm --hosted --auth Individual -o BlazorAppWithAuth1

If you’re using Visual Studio, you can create the project by selecting the “ASP.NET Core hosted” option and the selecting “Change Authentication” > “Individual user accounts”.

Blazor authentication

Run the app and try to access the Fetch Data page. You’ll get redirected to the login page.

Blazor login

Register a new user and log in. You can now access the Fetch Data page.

Fetch data authorized

The Server project is configured to use the default ASP.NET Core Identity UI, as well as IdentityServer, and JWT authentication:

// Add the default ASP.NET Core Identity UI
services.AddDefaultIdentity<ApplicationUser>(options => options.SignIn.RequireConfirmedAccount = true)
    .AddEntityFrameworkStores<ApplicationDbContext>();

// Add IdentityServer with support for API authorization
services.AddIdentityServer()
    .AddApiAuthorization<ApplicationUser, ApplicationDbContext>();

// Add JWT authentication
services.AddAuthentication()
    .AddIdentityServerJwt();

The Client app is registered with IdentityServer in the appsettings.json file:

"IdentityServer": {
  "Clients": {
    "BlazorAppWithAuth1.Client": {
      "Profile": "IdentityServerSPA"
    }
  }
},

In the Client project, the services needed for API authorization are added in Program.cs:

builder.Services.AddApiAuthorization();

In FetchData.razor the IAccessTokenProvider service is used to acquire an access token from the server. The token may be cached or acquired without the need of user interaction. If acquiring the token succeeds, it is then applied to the request for weather forecast data using the standard HTTP Authorization header. If acquiring the token silently fails, the user is redirected to the login page:

protected override async Task OnInitializedAsync()
{
    var httpClient = new HttpClient();
    httpClient.BaseAddress = new Uri(Navigation.BaseUri);

    var tokenResult = await AuthenticationService.RequestAccessToken();

    if (tokenResult.TryGetToken(out var token))
    {
        httpClient.DefaultRequestHeaders.Add("Authorization", $"Bearer {token.Value}");
        forecasts = await httpClient.GetJsonAsync<WeatherForecast[]>("WeatherForecast");
    }
    else
    {
        Navigation.NavigateTo(tokenResult.RedirectUrl);
    }
}

For additional details on using Blazor WebAssembly with ASP.NET Core Identity and IdentityServer see Secure an ASP.NET Core Blazor WebAssembly hosted app with Identity Server

Authenticate using an existing OpenID Connect provider

You can setup authentication for a standalone Blazor WebAssembly using any valid OIDC provider. Once you’ve registered your app with the OIDC provider you configure the Blazor WebAssembly app to use that provider by calling AddOidcAuthentication in Program.cs:

builder.Services.AddOidcAuthentication(options =>
{
    options.ProviderOptions.Authority = "{AUTHORITY}";
    options.ProviderOptions.ClientId = "{CLIENT ID}";
});

You can create a standalone Blazor WebAssembly app that uses a specific OIDC provider for authentication using the following command:

dotnet new blazorwasm --auth Individual --client-id "{CLIENT ID}" --authority "{AUTHORITY}"

For more details on configuring authentication for a standalone Blazor WebAssembly app see Secure an ASP.NET Core Blazor WebAssembly standalone app with the Authentication library

Authenticate using Azure AD & Azure AD B2C

You can also setup Blazor WebAssembly apps to use Azure Active Directory (Azure AD) or Azure Active Directory Business-to-Customer (Azure AD B2C) for authentication. When authenticating using Azure AD or Azure AD B2C authentication is handled using the new Microsoft.Authentication.WebAssembly.Msal library, which is based on the Microsoft Authentication Library (MSAL.js).

To learn how to setup authentication for Blazor WebAssembly app using Azure AD or Azure AD B2C see:

Additional authentication resources

This is just a sampling of the new authentication capabilities in Blazor WebAssembly. To learn more about how Blazor WebAssembly supports authentication see Secure ASP.NET Core Blazor WebAssembly.

Improved framework caching

If you look at the network trace of what’s being download for a Blazor WebAssembly app after it’s initially loaded, you might think that Blazor WebAssembly has been put on some sort of extreme diet:

Blazor network

Whoa! Only 159kB? What’s going on here?

When a Blazor WebAssembly app is initially loaded, the runtime and framework files are now stored in the browser cache storage:

Blazor cache

When the app loads, it first uses the contents of the blazor.boot.json to check if it already has all of the runtime and framework files it needs in the cache. If it does, then no additional network requests are necessary.

You can still see what the true size of the app is during development by checking the browser console:

Blazor loaded resources

Updated linker configuration

You may notice with this preview release that the download size of the app during development is now a bit larger, but build times are faster. This is because we no longer run the .NET IL linker during development to remove unused code. In previous Blazor previews we ran the linker on every build, which slowed down development. Now we only run the linker for release builds, which are typically done as part of publishing the app. When publishing the app with a release build (dotnet publish -c Release), the linker removes any unnecessary code and the download size is much more reasonable (~2MB for the default template).

If you prefer to still run the .NET IL linker on each build during development, you can turn it on by adding <BlazorWebAssemblyEnableLinking>true</BlazorWebAssemblyEnableLinking> to your project file.

Build Progressive Web Apps with Blazor

A Progressive Web App (PWA) is a web-based app that uses modern browser APIs and capabilities to behave like a native app. These capabilities can include:

  • Working offline and always loading instantly, independently of network speed
  • Being able to run in its own app window, not just a browser window
  • Being launched from the host operating system (OS) start menu, dock, or home screen
  • Receiving push notifications from a backend server, even while the user is not using the app
  • Automatically updating in the background

A user might first discover and use the app within their web browser like any other single-page app (SPA), then later progress to installing it in their OS and enabling push notifications.

Blazor WebAssembly is a true standards-based client-side web app platform, so it can use any browser API, including the APIs needed for PWA functionality.

Using the PWA template

When creating a new Blazor WebAssembly app, you’re offered the option to add PWA features. In Visual Studio, the option is given as a checkbox in the project creation dialog:

image

If you’re creating the project on the command line, you can use the --pwa flag. For example,

dotnet new blazorwasm --pwa -o MyNewProject

In both cases, you’re free to also use the “ASP.NET Core hosted” option if you wish, but don’t have to do so. PWA features are independent of how the app is hosted.

Installation and app manifest

When visiting an app created using the PWA template option, users have the option to install the app into their OS’s start menu, dock, or home screen.

The way this option is presented depends on the user’s browser. For example, when using desktop Chromium-based browsers such as Edge or Chrome, an Add button appears within the address bar:

image

On iOS, visitors can install the PWA using Safari’s Share button and its Add to Homescreen option. On Chrome for Android, users should tap the Menu button in the upper-right corner, then choose Add to Home screen.

Once installed, the app appears in its own window, without any address bar.

image

To customize the window’s title, color scheme, icon, or other details, see the file manifest.json in your project’s wwwroot directory. The schema of this file is defined by web standards. For detailed documentation, see https://developer.mozilla.org/en-US/docs/Web/Manifest.

Offline support

By default, apps created using the PWA template option have support for running offline. A user must first visit the app while they are online, then the browser will automatically download and cache all the resources needed to operate offline.

Important: Offline support is only enabled for published apps. It is not enabled during development. This is because it would interfere with the usual development cycle of making changes and testing them.

Warning: If you intend to ship an offline-enabled PWA, there are several important warnings and caveats you need to understand. These are inherent to offline PWAs, and not specific to Blazor. Be sure to read and understand these caveats before making assumptions about how your offline-enabled app will work.

To see how offline support works, first publish your app, and host it on a server supporting HTTPS. When you visit the app, you should be able to open the browser’s dev tools and verify that a Service Worker is registered for your host:

image

Additionally, if you reload the page, then on the Network tab you should see that all resources needed to load your page are being retrieved from the Service Worker or Memory Cache:

image

This shows that the browser is not dependent on network access to load your app. To verify this, you can either shut down your web server, or instruct the browser to simulate offline mode:

image

Now, even without access to your web server, you should be able to reload the page and see that your app still loads and runs. Likewise, even if you simulate a very slow network connection, your page will still load almost immediately since it’s loaded independently of the network.

To learn more about building PWAs with Blazor, check out the documentation.

Known issues

There are a few known issues with this release that you may run into:

  • When building a Blazor WebAssembly app using an older .NET Core SDK you may see the following build error:

    error MSB4018: The "ResolveBlazorRuntimeDependencies" task failed unexpectedly.
    error MSB4018: System.IO.FileNotFoundException: Could not load file or assembly '\BlazorApp1\obj\Debug\netstandard2.1\BlazorApp1.dll'. The system cannot find the file specified.
    error MSB4018: File name: '\BlazorApp1\obj\Debug\netstandard2.1\BlazorApp1.dll' 
    error MSB4018:    at System.Reflection.AssemblyName.nGetFileInformation(String s)
    error MSB4018:    at System.Reflection.AssemblyName.GetAssemblyName(String assemblyFile)
    error MSB4018:    at Microsoft.AspNetCore.Components.WebAssembly.Build.ResolveBlazorRuntimeDependencies.GetAssemblyName(String assemblyPath)
    error MSB4018:    at Microsoft.AspNetCore.Components.WebAssembly.Build.ResolveBlazorRuntimeDependencies.ResolveRuntimeDependenciesCore(String entryPoint, IEnumerable`1 applicationDependencies, IEnumerable`1 monoBclAssemblies)
    error MSB4018:    at Microsoft.AspNetCore.Components.WebAssembly.Build.ResolveBlazorRuntimeDependencies.Execute()
    error MSB4018:    at Microsoft.Build.BackEnd.TaskExecutionHost.Microsoft.Build.BackEnd.ITaskExecutionHost.Execute()
    error MSB4018:    at Microsoft.Build.BackEnd.TaskBuilder.ExecuteInstantiatedTask(ITaskExecutionHost taskExecutionHost, TaskLoggingContext taskLoggingContext, TaskHost taskHost, ItemBucket bucket, TaskExecutionMode howToExecuteTask)
    

    To address this issue, upgrade to version 3.1.102 or later of the .NET Core 3.1 SDK.

  • You may see the following warning when building from the command-line:

    CSC : warning CS8034: Unable to load Analyzer assembly C:\Users\user\.nuget\packages\microsoft.aspnetcore.components.analyzers\3.1.0\analyzers\dotnet\cs\Microsoft.AspNetCore.Components.Analyzers.dll : Assembly with same name is already loaded
    

    This issue will be fixed in a future update to the .NET Core SDK. To workaround this issue, add the <DisableImplicitComponentsAnalyzers>true</DisableImplicitComponentsAnalyzers> property to the project file.

  • The following error may occur when publishing an ASP.NET Core hosted Blazor app with the .NET IL linker disabled:

    An assembly specified in the application dependencies manifest (BlazorApp1.Server.deps.json) was not found
    

    This error occurs when assemblies shared by the server and Blazor client project get removed during publish (see https://github.com/dotnet/aspnetcore/issues/19926).

    To workaround this issue, ensure that you publish with the .NET IL linker enabled. To publish with the linker enabled:

    • Publish using a Release build configuration: dotnet publish -c Release. The .NET IL linker is automatically run for Release builds, but not for Debug builds.
    • Don’t set BlazorWebAssemblyEnableLinking to false in your client project file.

    If you’re hitting issues running with the linker disabled, you may need to configure the linker to preserve code that is being called using reflection. See https://docs.microsoft.com/aspnet/core/host-and-deploy/blazor/configure-linker for details.

Feedback

We hope you enjoy the new features in this preview release of Blazor WebAssembly! Please let us know what you think by filing issues on GitHub.

Thanks for trying out Blazor!

146 comments

Discussion is closed. Login to edit/delete existing comments.

  • Darrell Tunnell 0

    Using

    <ReferenceOutputAssembly>false</ReferenceOutputAssembly>

    for the project reference to the client, breaks the authentication library sample, as the host can no longer serve up the js file “_content/Microsoft.AspNetCore.Components.WebAssembly.Authentication/AuthenticationService.js” – as the package it’s in is a packagereference in the client project which the host no longer sees after this change. I am guessing you have to manually place that js file in the wwwroot on the server and update your index.html accordingly – or another alternative is to add this package reference to your server side project instead (but that seems like it would be brining in more than necessary?) – either way it would be good to have this documented?

  • Luis Raul Perazzolli 0

    I’m trying to create a new Blazor WebAssembly project with VS 2019 preview but in doing so, the dialog boxes corresponding to the project, the server project and the client project appear, and that last dialog box stays for ever. The creation process remains incomplete.

    • Daniel RothMicrosoft employee 0

      Hi Luis. Thanks for trying out Blazor with the Visual Studio previews! Since that sounds like a Visual Studio issue, please submit the issue using the Visual Studio Feedback tool from within Visual Studio.

      • Luis Raul Perazzolli 0

        Thank you.

  • Pablo Abbate 0

    Hello Dan,

    I’m trying to investigate how assemblies are cached in Blazor. According to your explanation, you use blazor.boot.json to keep track of the sha-256 of every file in order to keep track of any change. With this info WebAssemblyResourceLoader will decide if it uses the cached copy or if it needs to refresh it.
    Also I realized that, when you rebuilt the project (without changing anything), all sha-256 hashes are recalculated and changed, even though the file content wasn’t changed at all. I calculated and compared both hashes manually (before and after recompile) and they are the same.

    This behaviour invalidates the entire cache and forces the application to refresh (download) all assemblies (including those who never changed).
    Is there a reason for doing this? Is there a way to only update those files that has been changed? Maybe I’m missing something here.

    Thansk in advance!

    Pablo

    • Daniel RothMicrosoft employee 0

      Hi Pablo. You are correct that blazor.boot.json is used to record the hashes of the various built files. If the files haven’t changed, then the hashes should remain the same. I’m not seeing the behavior you describe with our latest release 3.2 Preview 3. When I create a new Blazor WebAssembly project and rebuild the hashes in the generated blazor.boot.json remain the same. If you’re able to reproduce this reliably with 3.2 Preview 3, could you please open a GitHub issue with detailed steps to reproduce the problem so that we can investigate? https://github.com/dotnet/aspnetcore/issues.

      • Pablo Abbate 0

        Hi Dan,
        I’m sorry. I ommited important info: I’m working on Release (not Debug) mode.

        Steps:
        a) Create new Blazor Assembly App (not ASP.NET Core hosted)
        b) Build it using RELEASE mode.
        c) Check file \bin\Release\netstandard2.1\wwwroot_framework\blazor.boot.json. For example: hash for assembly “Microsoft.AspNetCore.Blazor.HttpClient.dll” is (in my case) “sha256-rG0but8jR1vtYFE5orZy51QUgLfssOF1zj+GBQWaCE8=
        d) Recompile the project
        e) Now, the same assembly has a new hash: “sha256-qGCGcP51kxvi3yGHDnmKeMiQscwABPurn9CPyzz7jqA=

        I’m using Blazor 3.2.0-preview3 version. SDK: 3.1.300-preview-015048 – VS 16.6.0 Preview 2.1
        Is this a normal behaviour? Do you get the same result from your side?
        Thanks again!

  • Ivan Montilla Paniagua 0

    After updating, I get this error when I try to pack my project as nuget package:

     Vadavo.Vicim.Core.Blazor (Blazor output) -> /builds/vcim/core/Vadavo.Vicim.Core.Blazor/bin/Release/netstandard2.1/wwwroot
     /usr/share/dotnet/sdk/3.1.201/Sdks/Microsoft.NET.Sdk.Razor/build/netstandard2.0/Microsoft.NET.Sdk.Razor.StaticWebAssets.targets(415,5): error : Static web assets have different 'ContentRoot' metadata values '/builds/vcim/core/Vadavo.Vicim.Core.Blazor/wwwroot/' and '/builds/vcim/core/Vadavo.Vicim.Core.Blazor/bin/Release/netstandard2.1/wwwroot/' for '/builds/vcim/core/Vadavo.Vicim.Core.Blazor/wwwroot/css/open-iconic/FONT-LICENSE' and '/builds/vcim/core/Vadavo.Vicim.Core.Blazor/obj/Release/netstandard2.1/Vadavo.Vicim.Core.Blazor.dll'. [/builds/vcim/core/Vadavo.Vicim.Core.Blazor/Vadavo.Vicim.Core.Blazor.csproj]

    I tried removing Blazored dependency and works well, but I need to have some RCL with assets as dependencies.

    • Daniel RothMicrosoft employee 0

      Hi Ivan. Could you please try deleting your bin and obj folders and then rebuilding the project and see if that helps?

      • Ivan Montilla Paniagua 0

        Hi Dan, thank you for response. The pack command was run by my CI/CD server, and before run pack, it run clean and build.

                - cd Vadavo.Vicim.Core.Server
                - cd Vadavo.Vicim.Core.Blazor
                - dotnet clean -c Release
                - dotnet build -c Release
                - dotnet pack -c Release
                - cd bin/Release
                - dotnet nuget push $(find . -type f -iname "Vadavo.Vicim.Core.Blazor.*.nupkg") -s $nuget_server -k $api_key --skip-duplicate
        

        As I know, the clean command deletes bin and obj folders?

        • Daniel RothMicrosoft employee 0

          Hi Ivan. It looks like dotnet clean doesn’t currently remove the contents form the obj folder: https://github.com/dotnet/aspnetcore/issues/20601. Could you please confirm whether deleting both of these folders and the rebuilding resolves your issue?

          • Ivan Montilla Paniagua 0

            Hi Dan. I tried removing bin and obj folders manually. If I try to pack after deleting this folders, I get an IOException that cannot find the assembly (that’s normal), so I build the project and the original problem persist. (Static web assets have different ‘ContentRoot’ metadata values)

  • Hemant Singla 0

    I was always thinking if c# can work with client side, if we can do everything using a single language… but now blazor comes as like a gift from santa claus (microsoft). Thanks

  • Yannick Katambo 0

    Thanks Daniel, I was getting this error “Error MSB4018 The “ResolveBlazorRuntimeDependencies” task failed unexpectedly. Could not load file or assembly ‘BlazorAppAssembly.dll’ or one of its dependencies. The system cannot find the file specified.”
    Just after installing the SDK you mention and running the command above, my build was successful.

  • Mark Lynn 0

    In the latest version, starting from scratch trying to create use a basic CascadingAuthenticationState

    crit: Microsoft.AspNetCore.Components.WebAssembly.Rendering.WebAssemblyRenderer[100]
    Unhandled exception rendering component: Unexpected token < in JSON at position 0
    SyntaxError: Unexpected token < in JSON at position 0
    Microsoft.JSInterop.JSException: Unexpected token < in JSON at position 0
    SyntaxError: Unexpected token < in JSON at position 0
    at System.Threading.Tasks.ValueTask1[TResult].get_Result () <0x3244228 + 0x00034> in <filename unknown>:0
    at Microsoft.JSInterop.JSRuntimeExtensions.InvokeVoidAsync (Microsoft.JSInterop.IJSRuntime jsRuntime, System.String identifier, System.Object[] args) <0x300c4e0 + 0x000e4> in <filename unknown>:0
    at Microsoft.AspNetCore.Components.WebAssembly.Authentication.RemoteAuthenticationService
    3[TRemoteAuthenticationState,TAccount,TProviderOptions].EnsureAuthService () in :0
    at Microsoft.AspNetCore.Components.WebAssembly.Authentication.RemoteAuthenticationService3[TRemoteAuthenticationState,TAccount,TProviderOptions].GetAuthenticatedUser () <0x300b220 + 0x000d2> in <filename unknown>:0
    at System.Threading.Tasks.ValueTask
    1[TResult].get_Result () in :0
    at Microsoft.AspNetCore.Components.WebAssembly.Authentication.RemoteAuthenticationService3[TRemoteAuthenticationState,TAccount,TProviderOptions].GetUser (System.Boolean useCache) <0x2fc8468 + 0x00138> in <filename unknown>:0
    at Microsoft.AspNetCore.Components.WebAssembly.Authentication.RemoteAuthenticationService
    3[TRemoteAuthenticationState,TAccount,TProviderOptions].GetAuthenticationStateAsync () in :0
    at Microsoft.AspNetCore.Components.Authorization.AuthorizeViewCore.OnParametersSetAsync () in :0
    at Microsoft.AspNetCore.Components.ComponentBase.CallStateHasChangedOnAsyncCompletion (System.Threading.Tasks.Task task) in :0
    at Microsoft.AspNetCore.Components.ComponentBase.RunInitAndSetParametersAsync () in :0
    at Microsoft.AspNetCore.Components.RenderTree.Renderer.GetErrorHandledTask (System.Threading.Tasks.Task taskToHandle) in :0

    mono_wasm_get_loaded_files
    mono_wasm_runtime_ready fe00e07a-5519-4dfe-b35a-f867dbaf2e28

    <

    <

    p>p>Steps to reproduced:
    packages installed
    Install-Package Microsoft.AspNetCore.Components.Authorization
    Install-Package Microsoft.AspNetCore.Components.WebAssembly.Authentication
    App.razor – use the standard app.razor from blazing pizzas sln

    progam.cs
    Add

    builder.Services.AddApiAuthorization(options =>
                {
                    options.AuthenticationPaths.LogOutSucceededPath = "";
                });

    MyAppAuthenticationState.cs

    using Microsoft.AspNetCore.Components.WebAssembly.Authentication;
    public class MyAppAuthenticationState : RemoteAuthenticationState
        {}

    check these are present in _imports.razor
    @using Microsoft.AspNetCore.Authorization
    @using Microsoft.AspNetCore.Components.Authorization
    @using Microsoft.AspNetCore.Components.WebAssembly.Authentication

    add this into index.html

        
    

    RedirectToLogin is the shared component from blazing pizzas sln

Feedback usabilla icon