Skip to content

Latest commit

 

History

History
896 lines (647 loc) · 38.2 KB

call-web-api.md

File metadata and controls

896 lines (647 loc) · 38.2 KB
title author description monikerRange ms.author ms.custom ms.date uid zone_pivot_groups
Call a web API from an ASP.NET Core Blazor app
guardrex
Learn how to call a web API from Blazor apps.
>= aspnetcore-3.1
riande
mvc
04/06/2023
blazor/call-web-api
blazor-hosting-models

Call a web API from ASP.NET Core Blazor

[!INCLUDE]

This article describes how to call a web API from a Blazor app.

Note

The code examples in this article adopt nullable reference types (NRTs) and .NET compiler null-state static analysis, which are supported in ASP.NET Core 6.0 or later. When targeting ASP.NET Core 5.0 or earlier, remove the null type designation (?) from the string?, TodoItem[]?, WeatherForecast[]?, and IEnumerable<GitHubBranch>? types in the article's examples.

:::zone pivot="webassembly"

Note

This article has loaded Blazor WebAssembly coverage for calling web APIs. The Blazor Server coverage addresses the following subjects:

  • Use of the HttpClient factory infrastructure to provide an HttpClient to the app.
  • Cross-origin resource sharing (CORS) pertaining to Blazor Server apps.
  • Blazor framework component examples for testing web API access.
  • Additional resources for developing Blazor Server apps that call a web API.

Blazor WebAssembly apps call web APIs using a preconfigured xref:System.Net.Http.HttpClient service, which is focused on making requests back to the server of origin. Additional xref:System.Net.Http.HttpClient service configurations for other web APIs can be created in developer code. Requests are composed using Blazor JSON helpers or with xref:System.Net.Http.HttpRequestMessage. Requests can include Fetch API option configuration.

Examples in this article

In this article's component examples, a hypothetical todo list web API is used to create, read, update, and delete (CRUD) todo items on a server. The examples are based on a TodoItem class that stores the following todo item data:

  • ID (Id, long): Unique ID of the item.
  • Name (Name, string): Name of the item.
  • Status (IsComplete, bool): Indication if the todo item is finished.

Use the following TodoItem class with this article's examples if you build the examples into a test app:

public class TodoItem
{
    public long Id { get; set; }
    public string? Name { get; set; }
    public bool IsComplete { get; set; }
}

For guidance on how to create a server-side web API, see xref:tutorials/first-web-api. For information on Cross-origin resource sharing (CORS), see the Cross-origin resource sharing (CORS) section later in this article.

The Blazor WebAssembly examples that demonstrate obtaining weather data from a server API are based on a hosted Blazor WebAssembly solution created from the Blazor WebAssembly project template.

Package

The System.Net.Http.Json package provides extension methods for xref:System.Net.Http.HttpClient?displayProperty=fullName and xref:System.Net.Http.HttpContent?displayProperty=fullName that perform automatic serialization and deserialization using System.Text.Json.

The System.Net.Http.Json package is provided by the .NET shared framework and doesn't require adding a package reference to the app.

Add the HttpClient service

In Program.cs, add an xref:System.Net.Http.HttpClient service if it isn't already present from a Blazor project template used to create the app:

builder.Services.AddScoped(sp => 
    new HttpClient
    {
        BaseAddress = new Uri(builder.HostEnvironment.BaseAddress)
    });

HttpClient and JSON helpers

xref:System.Net.Http.HttpClient is available as a preconfigured service for making requests back to the origin server.

xref:System.Net.Http.HttpClient and JSON helpers (xref:System.Net.Http.Json.HttpClientJsonExtensions?displayProperty=nameWithType) are also used to call third-party web API endpoints. xref:System.Net.Http.HttpClient is implemented using the browser's Fetch API and is subject to its limitations, including enforcement of the same-origin policy, which is discussed later in this article in the Cross-origin resource sharing (CORS) section.

The client's base address is set to the originating server's address. Inject an xref:System.Net.Http.HttpClient instance into a component using the @inject directive:

@using System.Net.Http
@inject HttpClient Http

Use the xref:System.Net.Http.Json?displayProperty=fullName namespace for access to xref:System.Net.Http.Json.HttpClientJsonExtensions, including xref:System.Net.Http.Json.HttpClientJsonExtensions.GetFromJsonAsync%2A, xref:System.Net.Http.Json.HttpClientJsonExtensions.PutAsJsonAsync%2A, and xref:System.Net.Http.Json.HttpClientJsonExtensions.PostAsJsonAsync%2A:

@using System.Net.Http.Json

GET from JSON (GetFromJsonAsync)

xref:System.Net.Http.Json.HttpClientJsonExtensions.GetFromJsonAsync%2A sends an HTTP GET request and parses the JSON response body to create an object.

In the following component code, the todoItems are displayed by the component. xref:System.Net.Http.Json.HttpClientJsonExtensions.GetFromJsonAsync%2A is called when the component is finished initializing (OnInitializedAsync).

Note

When targeting ASP.NET Core 5.0 or earlier, add @using directives to the following component for xref:System.Net.Http?displayProperty=fullName, xref:System.Net.Http.Json?displayProperty=fullName, and xref:System.Threading.Tasks?displayProperty=fullName.

@inject HttpClient Http

@if (todoItems == null)
{
    <p>No Todo Items found.</p>
}
else
{
    <ul>
        @foreach (var item in todoItems)
        {
            <li>@item.Name</li>
        }
    </ul>
}

@code {
    private TodoItem[]? todoItems;

    protected override async Task OnInitializedAsync() => 
        todoItems = await Http.GetFromJsonAsync<TodoItem[]>("api/TodoItems");
}

POST as JSON (PostAsJsonAsync)

xref:System.Net.Http.Json.HttpClientJsonExtensions.PostAsJsonAsync%2A sends a POST request to the specified URI containing the value serialized as JSON in the request body.

In the following component code, newItemName is provided by a bound element of the component. The AddItem method is triggered by selecting a <button> element.

Note

When targeting ASP.NET Core 5.0 or earlier, add @using directives to the following component for xref:System.Net.Http?displayProperty=fullName, xref:System.Net.Http.Json?displayProperty=fullName, and xref:System.Threading.Tasks?displayProperty=fullName.

@inject HttpClient Http

<input @bind="newItemName" placeholder="New Todo Item" />
<button @onclick="AddItem">Add</button>

@code {
    private string? newItemName;

    private async Task AddItem()
    {
        var addItem = new TodoItem { Name = newItemName, IsComplete = false };
        await Http.PostAsJsonAsync("api/TodoItems", addItem);
    }
}

xref:System.Net.Http.Json.HttpClientJsonExtensions.PostAsJsonAsync%2A returns an xref:System.Net.Http.HttpResponseMessage. To deserialize the JSON content from the response message, use the xref:System.Net.Http.Json.HttpContentJsonExtensions.ReadFromJsonAsync%2A extension method. The following example reads JSON weather data as an array:

:::moniker range=">= aspnetcore-6.0"

var content = await response.Content.ReadFromJsonAsync<WeatherForecast[]>() ??
    Array.Empty<WeatherForecast>();

In the preceding example, an empty array is created if no weather data is returned by the method, so content isn't null after the statement executes.

:::moniker-end

:::moniker range="< aspnetcore-6.0"

var content = await response.Content.ReadFromJsonAsync<WeatherForecast[]>();

:::moniker-end

PUT as JSON (PutAsJsonAsync)

xref:System.Net.Http.Json.HttpClientJsonExtensions.PutAsJsonAsync%2A sends an HTTP PUT request with JSON-encoded content.

In the following component code, editItem values for Name and IsCompleted are provided by bound elements of the component. The item's Id is set when the item is selected in another part of the UI (not shown) and EditItem is called. The SaveItem method is triggered by selecting the <button> element. The following example doesn't show loading todoItems for brevity. See the GET from JSON (GetFromJsonAsync) section for an example of loading items.

Note

When targeting ASP.NET Core 5.0 or earlier, add @using directives to the following component for xref:System.Net.Http?displayProperty=fullName, xref:System.Net.Http.Json?displayProperty=fullName, and xref:System.Threading.Tasks?displayProperty=fullName.

@inject HttpClient Http

<input type="checkbox" @bind="editItem.IsComplete" />
<input @bind="editItem.Name" />
<button @onclick="SaveItem">Save</button>

@code {
    private string? id;
    private TodoItem editItem = new TodoItem();

    private void EditItem(long id)
    {
        editItem = todoItems.Single(i => i.Id == id);
    }

    private async Task SaveItem() =>
        await Http.PutAsJsonAsync($"api/TodoItems/{editItem.Id}", editItem);
}

xref:System.Net.Http.Json.HttpClientJsonExtensions.PutAsJsonAsync%2A returns an xref:System.Net.Http.HttpResponseMessage. To deserialize the JSON content from the response message, use the xref:System.Net.Http.Json.HttpContentJsonExtensions.ReadFromJsonAsync%2A extension method. The following example reads JSON weather data as an array:

:::moniker range=">= aspnetcore-6.0"

var content = await response.Content.ReadFromJsonAsync<WeatherForecast[]>() ??
    Array.Empty<WeatherForecast>();

In the preceding example, an empty array is created if no weather data is returned by the method, so content isn't null after the statement executes.

:::moniker-end

:::moniker range="< aspnetcore-6.0"

var content = await response.Content.ReadFromJsonAsync<WeatherForecast[]>();

:::moniker-end

:::moniker range=">= aspnetcore-7.0"

PATCH as JSON (PatchAsJsonAsync)

xref:System.Net.Http.Json.HttpClientJsonExtensions.PatchAsJsonAsync%2A sends an HTTP PATCH request with JSON-encoded content.

In the following component code:

  • incompleteTodoItems is an array of incomplete TodoItem. The following example doesn't show loading incompleteTodoItems for brevity. See the GET from JSON (GetFromJsonAsync) section for an example of loading items.
  • The UpdateItem method is triggered by selecting the <button> element.
  • The PATCH document is provided as a plain text string. The web API described in the xref:tutorials/first-web-api article doesn't handle PATCH requests by default. To make the PATCH example in this section work with the tutorial's web API, implement a PATCH controller action in the web API following the guidance in xref:web-api/jsonpatch. Later, this section demonstrates an example controller action and shows how to compose PATCH documents for ASP.NET Core web API apps that use .NET JSON PATCH support.

Note

When targeting ASP.NET Core 5.0 or earlier, add @using directives to the following component for xref:System.Net.Http?displayProperty=fullName, xref:System.Net.Http.Json?displayProperty=fullName, and xref:System.Threading.Tasks?displayProperty=fullName.

@using System.Text.Json
@using System.Text.Json.Serialization
@inject HttpClient Http

<ul>
    @foreach (var item in incompleteTodoItems)
    {
        <li>
            @item.Name 
            <button @onclick="_ => UpdateItem(item.Id)">
                Mark 'Complete'
            </button>
        </li>
    }
</ul>

@code {
    private async Task UpdateItem(long id) =>
        await Http.PatchAsJsonAsync(
            $"api/TodoItems/{id}", 
            "[{\"operationType\":2,\"path\":\"/IsComplete\",\"op\":\"replace\",\"value\":true}]");
}

xref:System.Net.Http.Json.HttpClientJsonExtensions.PatchAsJsonAsync%2A returns an xref:System.Net.Http.HttpResponseMessage. To deserialize the JSON content from the response message, use the xref:System.Net.Http.Json.HttpContentJsonExtensions.ReadFromJsonAsync%2A extension method. The following example reads JSON weather data as an array. An empty array is created if no weather data is returned by the method, so content isn't null after the statement executes:

var content = await response.Content.ReadFromJsonAsync<WeatherForecast[]>() ??
    Array.Empty<WeatherForecast>();

xref:System.Net.Http.Json.HttpClientJsonExtensions.PatchAsJsonAsync%2A receives a JSON PATCH document for the PATCH request. The preceding UpdateItem method called xref:System.Net.Http.Json.HttpClientJsonExtensions.PatchAsJsonAsync%2A with a PATCH document as a string with escaped quotes. Laid out with indentation, spacing, and non-escaped quotes, the unencoded PATCH document appears as the following JSON:

[
  {
    "operationType": 2,
    "path": "/IsComplete",
    "op": "replace",
    "value": true
  }
]

To simplify the creation of PATCH documents in the app issuing PATCH requests, an app can use .NET JSON PATCH support, as the following guidance demonstrates.

Install the Microsoft.AspNetCore.JsonPatch NuGet package and use the API features of the package to compose a xref:Microsoft.AspNetCore.JsonPatch.JsonPatchDocument for a PATCH request.

[!INCLUDE]

Add an @using directive for the xref:Microsoft.AspNetCore.JsonPatch?displayProperty=fullName namespace to the top of the Razor component:

@using Microsoft.AspNetCore.JsonPatch

Compose the xref:Microsoft.AspNetCore.JsonPatch.JsonPatchDocument for a TodoItem with IsComplete set to true using the xref:Microsoft.AspNetCore.JsonPatch.JsonPatchDocument.Replace%2A method:

var patchDocument = new JsonPatchDocument<TodoItem>()
    .Replace(p => p.IsComplete, true);

Pass the document's operations (patchDocument.Operations) to the xref:System.Net.Http.Json.HttpClientJsonExtensions.PatchAsJsonAsync%2A call. The following example shows how to make the call:

private async Task UpdateItem(long id)
{
    await Http.PatchAsJsonAsync(
        $"api/TodoItems/{id}", 
        patchDocument.Operations, 
        new JsonSerializerOptions()
        {
            DefaultIgnoreCondition = JsonIgnoreCondition.WhenWritingDefault,
            WriteIndented = true
        });
}

xref:System.Text.Json.JsonSerializerOptions.DefaultIgnoreCondition?displayProperty=nameWithType is set to xref:System.Text.Json.Serialization.JsonIgnoreCondition.WhenWritingDefault?displayProperty=nameWithType to ignore a property only if it equals the default value for its type.

xref:System.Text.Json.JsonSerializerOptions.WriteIndented?displayProperty=nameWithType is used merely to present the JSON payload in a pleasant format for this article. Writing indented JSON has no bearing on processing PATCH requests and isn't typically performed in production apps for web API requests.

Next, follow the guidance in the xref:web-api/jsonpatch article to add a PATCH controller action to the web API.

Add a package reference for the Microsoft.AspNetCore.Mvc.NewtonsoftJson NuGet package to the web API app.

Note

There's no need to add a package reference for the Microsoft.AspNetCore.JsonPatch package to the app because the reference to the Microsoft.AspNetCore.Mvc.NewtonsoftJson package automatically transitively adds a package reference for Microsoft.AspNetCore.JsonPatch.

Add a custom JSON PATCH input formatter to the web API app.

JSONPatchInputFormatter.cs:

using Microsoft.AspNetCore.Mvc;
using Microsoft.AspNetCore.Mvc.Formatters;
using Microsoft.Extensions.Options;

public static class JSONPatchInputFormatter
{
    public static NewtonsoftJsonPatchInputFormatter Get()
    {
        var builder = new ServiceCollection()
            .AddLogging()
            .AddMvc()
            .AddNewtonsoftJson()
            .Services.BuildServiceProvider();

        return builder
            .GetRequiredService<IOptions<MvcOptions>>()
            .Value
            .InputFormatters
            .OfType<NewtonsoftJsonPatchInputFormatter>()
            .First();
    }
}

Configure the web API's controllers to use the Microsoft.AspNetCore.Mvc.NewtonsoftJson package and process PATCH requests with the JSON PATCH input formatter. Insert the JSONPatchInputFormatter in the first position of MVC's input formatter collection so that it processes requests prior to any other input formatter.

In Program.cs modify the call to xref:Microsoft.Extensions.DependencyInjection.MvcServiceCollectionExtensions.AddControllers%2A:

builder.Services.AddControllers(options =>
{
    options.InputFormatters.Insert(0, JSONPatchInputFormatter.Get());
}).AddNewtonsoftJson();

In Controllers/TodoItemsController.cs, add a using statement for the xref:Microsoft.AspNetCore.JsonPatch?displayProperty=fullName namespace:

using Microsoft.AspNetCore.JsonPatch;

In Controllers/TodoItemsController.cs, add the following PatchTodoItem action method:

[HttpPatch("{id}")]
public async Task<IActionResult> PatchTodoItem(long id, 
    JsonPatchDocument<TodoItem> patchDoc)
{
    if (patchDoc == null)
    {
        return BadRequest();
    }
    
    var todoItem = await _context.TodoItems.FindAsync(id);

    if (todoItem == null)
    {
        return NotFound();
    }

    patchDoc.ApplyTo(todoItem);

    _context.Entry(todoItem).State = EntityState.Modified;

    try
    {
        await _context.SaveChangesAsync();
    }
    catch (DbUpdateConcurrencyException) when (!TodoItemExists(id))
    {
        return NotFound();
    }

    return NoContent();
}

Warning

As with the other examples in the xref:web-api/jsonpatch article, the preceding PATCH controller action doesn't protect the web API from over-posting attacks. For more information, see xref:tutorials/first-web-api#prevent-over-posting.

:::moniker-end

Additional extension methods

xref:System.Net.Http includes additional extension methods for sending HTTP requests and receiving HTTP responses. xref:System.Net.Http.HttpClient.DeleteAsync%2A?displayProperty=nameWithType is used to send an HTTP DELETE request to a web API.

In the following component code, the <button> element calls the DeleteItem method. The bound <input> element supplies the id of the item to delete.

Note

When targeting ASP.NET Core 5.0 or earlier, add @using directives to the following component for xref:System.Net.Http?displayProperty=fullName and xref:System.Threading.Tasks?displayProperty=fullName.

@inject HttpClient Http

<input @bind="id" />
<button @onclick="DeleteItem">Delete</button>

@code {
    private long id;

    private async Task DeleteItem() =>
        await Http.DeleteAsync($"api/TodoItems/{id}");
}

Named HttpClient with IHttpClientFactory

xref:System.Net.Http.IHttpClientFactory services and the configuration of a named xref:System.Net.Http.HttpClient are supported.

Note

An alternative to using a named xref:System.Net.Http.HttpClient from an xref:System.Net.Http.IHttpClientFactory is to use a typed xref:System.Net.Http.HttpClient. For more information, see the Typed HttpClient section.

Add the Microsoft.Extensions.Http NuGet package to the app.

[!INCLUDE]

In Program.cs:

builder.Services.AddHttpClient("WebAPI", client => 
    client.BaseAddress = new Uri(builder.HostEnvironment.BaseAddress));

In the following component code:

  • An instance of xref:System.Net.Http.IHttpClientFactory creates a named xref:System.Net.Http.HttpClient.
  • The named xref:System.Net.Http.HttpClient is used to issue a GET request for JSON weather forecast data from the web API.

Note

When targeting ASP.NET Core 5.0 or earlier, add @using directives to the following component for xref:System.Net.Http?displayProperty=fullName, xref:System.Net.Http.Json?displayProperty=fullName, and xref:System.Threading.Tasks?displayProperty=fullName.

Pages/FetchDataViaFactory.razor:

@page "/fetch-data-via-factory"
@using {PROJECT NAME}.Shared
@inject IHttpClientFactory ClientFactory

<h1>Fetch data via <code>IHttpClientFactory</code></h1>

@if (forecasts == null)
{
    <p><em>Loading...</em></p>
}
else
{
    <h2>Temperatures by Date</h2>

    <ul>
        @foreach (var forecast in forecasts)
        {
            <li>
                @forecast.Date.ToShortDateString():
                @forecast.TemperatureC &#8451;
                @forecast.TemperatureF &#8457;
            </li>
        }
    </ul>
}

@code {
    private WeatherForecast[]? forecasts;

    protected override async Task OnInitializedAsync()
    {
        var client = ClientFactory.CreateClient("WebAPI");

        forecasts = await client.GetFromJsonAsync<WeatherForecast[]>(
            "WeatherForecast");
    }
}

Typed HttpClient

Typed xref:System.Net.Http.HttpClient uses one or more of the app's xref:System.Net.Http.HttpClient instances, default or named, to return data from one or more web API endpoints.

Note

An alternative to using a typed xref:System.Net.Http.HttpClient is to use a named xref:System.Net.Http.HttpClient from an xref:System.Net.Http.IHttpClientFactory. For more information, see the Named HttpClient with IHttpClientFactory section.

Add the Microsoft.Extensions.Http NuGet package to the app.

[!INCLUDE]

WeatherForecastHttpClient.cs:

using System.Net.Http.Json;
using {PROJECT NAME}.Shared;

public class WeatherForecastHttpClient
{
    private readonly HttpClient http;
    private WeatherForecast[]? forecasts;

    public WeatherForecastHttpClient(HttpClient http)
    {
        this.http = http;
    }

    public async Task<WeatherForecast[]> GetForecastAsync()
    {
        forecasts = await http.GetFromJsonAsync<WeatherForecast[]>(
            "WeatherForecast");

        return forecasts ?? Array.Empty<WeatherForecast>();
    }
}

In Program.cs:

builder.Services.AddHttpClient<WeatherForecastHttpClient>(client => 
    client.BaseAddress = new Uri(builder.HostEnvironment.BaseAddress));

Components inject the typed xref:System.Net.Http.HttpClient to call the web API.

In the following component code:

  • An instance of the preceding WeatherForecastHttpClient is injected, which creates a typed xref:System.Net.Http.HttpClient.
  • The typed xref:System.Net.Http.HttpClient is used to issue a GET request for JSON weather forecast data from the web API.

Note

When targeting ASP.NET Core 5.0 or earlier, add an @using directive to the following component for xref:System.Threading.Tasks?displayProperty=fullName.

Pages/FetchDataViaTypedHttpClient.razor:

@page "/fetch-data-via-typed-httpclient"
@using {PROJECT NAME}.Shared
@inject WeatherForecastHttpClient Http

<h1>Fetch data via typed <code>HttpClient</code></h1>

@if (forecasts == null)
{
    <p><em>Loading...</em></p>
}
else
{
    <h2>Temperatures by Date</h2>

    <ul>
        @foreach (var forecast in forecasts)
        {
            <li>
                @forecast.Date.ToShortDateString():
                @forecast.TemperatureC &#8451;
                @forecast.TemperatureF &#8457;
            </li>
        }
    </ul>
}

@code {
    private WeatherForecast[]? forecasts;

    protected override async Task OnInitializedAsync()
    {
        forecasts = await Http.GetForecastAsync();
    }
}

HttpClient and HttpRequestMessage with Fetch API request options

HttpClient (API documentation) and xref:System.Net.Http.HttpRequestMessage can be used to customize requests. For example, you can specify the HTTP method and request headers. The following component makes a POST request to a web API endpoint and shows the response body.

Note

When targeting ASP.NET Core 5.0 or earlier, add @using directives to the following component for xref:System.Net.Http?displayProperty=fullName and xref:System.Net.Http.Json?displayProperty=fullName.

Pages/TodoRequest.razor:

:::code language="razor" source="~/../blazor-samples/7.0/BlazorSample_WebAssembly/Pages/call-web-api/TodoRequest.razor":::

Blazor WebAssembly's implementation of xref:System.Net.Http.HttpClient uses Fetch API. Fetch API allows the configuration of several request-specific options. Options can be configured with xref:System.Net.Http.HttpRequestMessage extension methods shown in the following table.

Extension method Fetch API request property
xref:Microsoft.AspNetCore.Components.WebAssembly.Http.WebAssemblyHttpRequestMessageExtensions.SetBrowserRequestCache%2A cache
xref:Microsoft.AspNetCore.Components.WebAssembly.Http.WebAssemblyHttpRequestMessageExtensions.SetBrowserRequestCredentials%2A credentials
xref:Microsoft.AspNetCore.Components.WebAssembly.Http.WebAssemblyHttpRequestMessageExtensions.SetBrowserRequestIntegrity%2A integrity
xref:Microsoft.AspNetCore.Components.WebAssembly.Http.WebAssemblyHttpRequestMessageExtensions.SetBrowserRequestMode%2A mode

Set additional options using the generic xref:Microsoft.AspNetCore.Components.WebAssembly.Http.WebAssemblyHttpRequestMessageExtensions.SetBrowserRequestOption%2A extension method.

The HTTP response is typically buffered to enable support for synchronous reads on the response content. To enable support for response streaming, use the xref:Microsoft.AspNetCore.Components.WebAssembly.Http.WebAssemblyHttpRequestMessageExtensions.SetBrowserResponseStreamingEnabled%2A extension method on the request.

To include credentials in a cross-origin request, use the xref:Microsoft.AspNetCore.Components.WebAssembly.Http.WebAssemblyHttpRequestMessageExtensions.SetBrowserRequestCredentials%2A extension method:

requestMessage.SetBrowserRequestCredentials(BrowserRequestCredentials.Include);

For more information on Fetch API options, see MDN web docs: WindowOrWorkerGlobalScope.fetch(): Parameters.

Call web API example

The following example calls a web API. The example requires a running web API based on the sample app described by the xref:tutorials/first-web-api article. This example makes requests to the web API at https://localhost:10000/api/TodoItems. If a different web API address is used, update the ServiceEndpoint constant value in the component's @code block.

The following example makes a cross-origin resource sharing (CORS) request from http://localhost:5000 or https://localhost:5001 to the web API. Add the following CORS Middleware configuration to the web API's service's Program.cs file:

app.UseCors(policy => 
    policy.WithOrigins("http://localhost:5000", "https://localhost:5001")
    .AllowAnyMethod()
    .WithHeaders(HeaderNames.ContentType));

Adjust the domains and ports of WithOrigins as needed for the Blazor app. For more information, see xref:security/cors.

By default, ASP.NET Core apps use ports 5000 (HTTP) and 5001 (HTTPS). To run both apps on the same machine at the same time for testing, use a different port for the web API app (for example, port 10000). For more information on setting the port, see xref:fundamentals/servers/kestrel/endpoints.

Pages/CallWebAPI.razor:

:::code language="razor" source="~/../blazor-samples/7.0/BlazorSample_WebAssembly/Pages/call-web-api/CallWebAPI.razor":::

Handle errors

Handle web API response errors in developer code when they occur. For example, xref:System.Net.Http.Json.HttpClientJsonExtensions.GetFromJsonAsync%2A expects a JSON response from the web API with a Content-Type of application/json. If the response isn't in JSON format, content validation throws a xref:System.NotSupportedException.

In the following example, the URI endpoint for the weather forecast data request is misspelled. The URI should be to WeatherForecast but appears in the call as WeatherForcast, which is missing the letter e in Forecast.

The xref:System.Net.Http.Json.HttpClientJsonExtensions.GetFromJsonAsync%2A call expects JSON to be returned, but the web API returns HTML for an unhandled exception with a Content-Type of text/html. The unhandled exception occurs because the path to /WeatherForcast isn't found and middleware can't serve a page or view for the request.

In xref:Microsoft.AspNetCore.Components.ComponentBase.OnInitializedAsync%2A on the client, xref:System.NotSupportedException is thrown when the response content is validated as non-JSON. The exception is caught in the catch block, where custom logic could log the error or present a friendly error message to the user.

Note

When targeting ASP.NET Core 5.0 or earlier, add @using directives to the following component for xref:System.Net.Http?displayProperty=fullName, xref:System.Net.Http.Json?displayProperty=fullName, and xref:System.Threading.Tasks?displayProperty=fullName.

Pages/ReturnHTMLOnException.razor:

@page "/return-html-on-exception"
@using {PROJECT NAME}.Shared
@inject HttpClient Http

<h1>Fetch data but receive HTML on unhandled exception</h1>

@if (forecasts == null)
{
    <p><em>Loading...</em></p>
}
else
{
    <h2>Temperatures by Date</h2>

    <ul>
        @foreach (var forecast in forecasts)
        {
            <li>
                @forecast.Date.ToShortDateString():
                @forecast.TemperatureC &#8451;
                @forecast.TemperatureF &#8457;
            </li>
        }
    </ul>
}

<p>
    @exceptionMessage
</p>

@code {
    private WeatherForecast[]? forecasts;
    private string? exceptionMessage;

    protected override async Task OnInitializedAsync()
    {
        try
        {
            // The URI endpoint "WeatherForecast" is misspelled on purpose on the 
            // next line. See the preceding text for more information.
            forecasts = await Http.GetFromJsonAsync<WeatherForecast[]>("WeatherForcast");
        }
        catch (NotSupportedException exception)
        {
            exceptionMessage = exception.Message;
        }
    }
}

Note

The preceding example is for demonstration purposes. A web API can be configured to return JSON even when an endpoint doesn't exist or an unhandled exception occurs on the server.

For more information, see xref:blazor/fundamentals/handle-errors.

:::zone-end

:::zone pivot="server"

Note

This article has loaded Blazor Server coverage for calling web APIs. The Blazor WebAssembly coverage addresses the following subjects:

  • Blazor WebAssembly examples based on an client-side WebAssembly app that calls a web API to create, read, update, and delete todo list items.
  • System.Net.Http.Json package.
  • HttpClient service configuration.
  • HttpClient and JSON helpers (GetFromJsonAsync, PostAsJsonAsync, PutAsJsonAsync, DeleteAsync).
  • IHttpClientFactory services and the configuration of a named HttpClient.
  • Typed HttpClient.
  • HttpClient and HttpRequestMessage to customize requests.
  • Call web API example with cross-origin resource sharing (CORS) and how CORS pertains to Blazor WebAssembly apps.
  • How to handle web API response errors in developer code.
  • Blazor framework component examples for testing web API access.
  • Additional resources for developing Blazor WebAssembly apps that call a web API.

Blazor Server apps call web APIs using xref:System.Net.Http.HttpClient instances, typically created using xref:System.Net.Http.IHttpClientFactory. For guidance that applies to Blazor Server, see xref:fundamentals/http-requests.

A Blazor Server app doesn't include an xref:System.Net.Http.HttpClient service by default. Provide an xref:System.Net.Http.HttpClient to the app using the HttpClient factory infrastructure.

In Program.cs:

builder.Services.AddHttpClient();

The following Blazor Server Razor component makes a request to a web API for GitHub branches similar to the Basic Usage example in the xref:fundamentals/http-requests article.

Pages/CallWebAPI.razor:

@page "/call-web-api"
@using System.Text.Json
@using System.Text.Json.Serialization
@inject IHttpClientFactory ClientFactory

<h1>Call web API from a Blazor Server Razor component</h1>

@if (getBranchesError || branches is null)
{
    <p>Unable to get branches from GitHub. Please try again later.</p>
}
else
{
    <ul>
        @foreach (var branch in branches)
        {
            <li>@branch.Name</li>
        }
    </ul>
}

@code {
    private IEnumerable<GitHubBranch>? branches = Array.Empty<GitHubBranch>();
    private bool getBranchesError;
    private bool shouldRender;

    protected override bool ShouldRender() => shouldRender;

    protected override async Task OnInitializedAsync()
    {
        var request = new HttpRequestMessage(HttpMethod.Get,
            "https://api.github.com/repos/dotnet/AspNetCore.Docs/branches");
        request.Headers.Add("Accept", "application/vnd.github.v3+json");
        request.Headers.Add("User-Agent", "HttpClientFactory-Sample");

        var client = ClientFactory.CreateClient();

        var response = await client.SendAsync(request);

        if (response.IsSuccessStatusCode)
        {
            using var responseStream = await response.Content.ReadAsStreamAsync();
            branches = await JsonSerializer.DeserializeAsync
                <IEnumerable<GitHubBranch>>(responseStream);
        }
        else
        {
            getBranchesError = true;
        }

        shouldRender = true;
    }

    public class GitHubBranch
    {
        [JsonPropertyName("name")]
        public string? Name { get; set; }
    }
}

For an additional working example, see the Blazor Server file upload example that uploads files to a web API controller in the xref:blazor/file-uploads#upload-files-to-a-server article.

:::zone-end

Cross-origin resource sharing (CORS)

Browser security restricts a webpage from making requests to a different domain than the one that served the webpage. This restriction is called the same-origin policy. The same-origin policy restricts (but doesn't prevent) a malicious site from reading sensitive data from another site. To make requests from the browser to an endpoint with a different origin, the endpoint must enable cross-origin resource sharing (CORS).

:::zone pivot="webassembly"

For information on CORS requests in Blazor WebAssembly apps, see xref:blazor/security/webassembly/additional-scenarios#cross-origin-resource-sharing-cors.

For information on CORS, see xref:security/cors. The article's examples don't pertain directly to Blazor WebAssembly apps, but the article is useful for learning general CORS concepts.

:::zone-end

:::zone pivot="server"

For more information, see xref:security/cors.

:::zone-end

:::moniker range=">= aspnetcore-8.0"

Antiforgery support

To add antiforgery support to an HTTP request, inject the AntiforgeryStateProvider and add a RequestToken to the headers collection as a RequestVerificationToken:

@inject AntiforgeryStateProvider Antiforgery
private async Task OnSubmit()
{
    var antiforgery = Antiforgery.GetAntiforgeryToken();
    var request = new HttpRequestMessage(HttpMethod.Post, "action");
    request.Headers.Add("RequestVerificationToken", antiforgery.RequestToken);
    var response = await client.SendAsync(request);
    ...
}

For more information, see xref:blazor/security/index#antiforgery-support.

:::moniker-end

Blazor framework component examples for testing web API access

Various network tools are publicly available for testing web API backend apps directly, such as Firefox Browser Developer and Postman. Blazor framework's reference source includes xref:System.Net.Http.HttpClient test assets that are useful for testing:

HttpClientTest assets in the dotnet/aspnetcore GitHub repository

[!INCLUDE]

Additional resources

:::zone pivot="webassembly"

  • xref:blazor/security/webassembly/additional-scenarios: Includes coverage on using xref:System.Net.Http.HttpClient to make secure web API requests.
  • xref:security/cors: Although the content applies to ASP.NET Core apps, not Blazor WebAssembly apps, the article covers general CORS concepts.
  • Cross-Origin resource sharing (CORS) at W3C
  • Fetch API

:::zone-end

:::zone pivot="server"

  • xref:blazor/security/server/additional-scenarios: Includes coverage on using xref:System.Net.Http.HttpClient to make secure web API requests.
  • xref:fundamentals/http-requests
  • xref:security/enforcing-ssl
  • xref:security/cors
  • Kestrel HTTPS endpoint configuration
  • Cross-Origin resource sharing (CORS) at W3C

:::zone-end