- 
                Notifications
    You must be signed in to change notification settings 
- Fork 25.1k
Blazor call web API topic with sample #12477
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
          
     Merged
      
        
    
  Parent:
  
          Clean up indentation
      
    
  
     Merged
                    Changes from all commits
      Commits
    
    
            Show all changes
          
          
            8 commits
          
        
        Select commit
          Hold shift + click to select a range
      
      d9f1a5a
              
                Blazor call web API topic with sample
              
              
                guardrex 48f7bd4
              
                Title update
              
              
                guardrex d0f6126
              
                React to feedback
              
              
                guardrex e5d3cdc
              
                Update
              
              
                guardrex 9f09831
              
                React to feedback
              
              
                guardrex e395e37
              
                Apply suggestions from code review
              
              
                guardrex 1b429fb
              
                Updates
              
              
                guardrex 98f2926
              
                React to feedback
              
              
                guardrex File filter
Filter by extension
Conversations
          Failed to load comments.   
        
        
          
      Loading
        
  Jump to
        
          Jump to file
        
      
      
          Failed to load files.   
        
        
          
      Loading
        
  Diff view
Diff view
There are no files selected for viewing
  
    
      This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
      Learn more about bidirectional Unicode characters
    
  
  
    
              | Original file line number | Diff line number | Diff line change | 
|---|---|---|
| @@ -0,0 +1,219 @@ | ||
| --- | ||
| title: Call a web API from ASP.NET Core Blazor | ||
| author: guardrex | ||
| description: Learn how to call a web API from a Blazor app using JSON helpers, including making cross-origin resource sharing (CORS) requests. | ||
| monikerRange: '>= aspnetcore-3.0' | ||
| ms.author: riande | ||
| ms.custom: mvc | ||
| ms.date: 06/25/2019 | ||
| uid: blazor/call-web-api | ||
| --- | ||
| # Call a web API from ASP.NET Core Blazor | ||
|  | ||
| By [Luke Latham](https://github.com/guardrex) and [Daniel Roth](https://github.com/danroth27) | ||
|  | ||
| Blazor client-side apps call web APIs using a preconfigured `HttpClient` service. Compose requests, which can include JavaScript [Fetch API](https://developer.mozilla.org/docs/Web/API/Fetch_API) options, using Blazor JSON helpers or with <xref:System.Net.Http.HttpRequestMessage>. | ||
|  | ||
| Blazor server-side apps call web APIs using <xref:System.Net.Http.HttpClient> instances typically created using <xref:System.Net.Http.IHttpClientFactory>. For more information, see <xref:fundamentals/http-requests>. | ||
|  | ||
| [View or download sample code](https://github.com/aspnet/AspNetCore.Docs/tree/master/aspnetcore/blazor/common/samples/) ([how to download](xref:index#how-to-download-a-sample)) | ||
|  | ||
| For Blazor client-side examples, see the following components in the sample app: | ||
|  | ||
| * Call Web API (*Pages/CallWebAPI.razor*) | ||
| * HTTP Request Tester (*Components/HTTPRequestTester.razor*) | ||
|  | ||
| ## HttpClient and JSON helpers | ||
|  | ||
| In Blazor client-side apps, [HttpClient](xref:fundamentals/http-requests) is available as a preconfigured service for making requests back to the origin server. `HttpClient` and JSON helpers are also used to call third-party web API endpoints. `HttpClient` is implemented using the browser [Fetch API](https://developer.mozilla.org/docs/Web/API/Fetch_API) and is subject to its limitations, including enforcement of the same origin policy. | ||
|  | ||
| The client's base address is set to the originating server's address. Inject an `HttpClient` instance using the `@inject` directive: | ||
|  | ||
| ```cshtml | ||
| @using System.Net.Http | ||
| @inject HttpClient Http | ||
| ``` | ||
|  | ||
| In the following examples, a Todo web API processes create, read, update, and delete (CRUD) operations. The examples are based on a `TodoItem` class that stores the: | ||
|  | ||
| * 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. | ||
|  | ||
| ```csharp | ||
| private class TodoItem | ||
| { | ||
| public long Id { get; set; } | ||
| public string Name { get; set; } | ||
| public bool IsComplete { get; set; } | ||
| } | ||
| ``` | ||
|  | ||
| JSON helper methods send requests to a URI (a web API in the following examples) and process the response: | ||
|  | ||
| * `GetJsonAsync` – Sends an HTTP GET request and parses the JSON response body to create an object. | ||
|  | ||
| In the following code, the `_todoItems` are displayed by the component. The `GetTodoItems` method is triggered when the component is finished rendering ([OnInitAsync](xref:blazor/components#lifecycle-methods)). See the sample app for a complete example. | ||
|  | ||
| ```cshtml | ||
|         
                  guardrex marked this conversation as resolved.
              Show resolved
            Hide resolved | ||
| @using System.Net.Http | ||
| @inject HttpClient Http | ||
|  | ||
| @code { | ||
| private TodoItem[] _todoItems; | ||
|  | ||
| protected override async Task OnInitAsync() => | ||
| _todoItems = await Http.GetJsonAsync<TodoItem[]>("api/todo"); | ||
| } | ||
| ``` | ||
|  | ||
| * `PostJsonAsync` – Sends an HTTP POST request, including JSON-encoded content, and parses the JSON response body to create an object. | ||
|  | ||
| In the following code, `_newItemName` is provided by a bound element of the component. The `AddItem` method is triggered by selecting a `<button>` element. See the sample app for a complete example. | ||
|  | ||
| ```cshtml | ||
|         
                  guardrex marked this conversation as resolved.
              Show resolved
            Hide resolved | ||
| @using System.Net.Http | ||
| @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.PostJsonAsync("api/todo", addItem); | ||
| } | ||
| } | ||
| ``` | ||
|  | ||
| * `PutJsonAsync` – Sends an HTTP PUT request, including JSON-encoded content. | ||
|  | ||
| In the following 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 and `EditItem` is called. The `SaveItem` method is triggered by selecting the Save `<button>` element. See the sample app for a complete example. | ||
|  | ||
| ```cshtml | ||
|         
                  guardrex marked this conversation as resolved.
              Show resolved
            Hide resolved | ||
| @using System.Net.Http | ||
| @inject HttpClient Http | ||
|  | ||
| <input type="checkbox" @bind="_editItem.IsComplete" /> | ||
| <input @bind="_editItem.Name" /> | ||
| <button @onclick="@SaveItem">Save</button> | ||
|  | ||
| @code { | ||
| private TodoItem _editItem = new TodoItem(); | ||
|  | ||
| private void EditItem(long id) | ||
| { | ||
| var editItem = _todoItems.Single(i => i.Id == id); | ||
| _editItem = new TodoItem { Id = editItem.Id, Name = editItem.Name, | ||
| IsComplete = editItem.IsComplete }; | ||
| } | ||
|  | ||
| private async Task SaveItem() => | ||
| await Http.PutJsonAsync($"api/todo/{_editItem.Id}, _editItem); | ||
| } | ||
| ``` | ||
|  | ||
| <xref:System.Net.Http> includes additional extension methods for sending HTTP requests and receiving HTTP responses. [HttpClient.DeleteAsync](xref:System.Net.Http.HttpClient.DeleteAsync*) is used to send an HTTP DELETE request to a web API. | ||
|  | ||
| In the following code, the Delete `<button>` element calls the `DeleteItem` method. The bound `<input>` element supplies the `id` of the item to delete. See the sample app for a complete example. | ||
|  | ||
| ```cshtml | ||
|         
                  guardrex marked this conversation as resolved.
              Show resolved
            Hide resolved | ||
| @using System.Net.Http | ||
| @inject HttpClient Http | ||
|  | ||
| <input @bind="_id" /> | ||
| <button @onclick="@DeleteItem">Delete</button> | ||
|  | ||
| @code { | ||
| private long _id; | ||
|  | ||
| private async Task DeleteItem() => | ||
| await Http.DeleteAsync($"api/todo/{_id}"); | ||
| } | ||
| ``` | ||
|  | ||
| ## Cross-origin resource sharing (CORS) | ||
|  | ||
| Browser security prevents 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 prevents 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)](https://www.w3.org/TR/cors/). | ||
|  | ||
| The sample app demonstrates the use of CORS in the Call Web API component (*Pages/CallWebAPI.razor*). | ||
|  | ||
| To allow other sites to make cross-origin resource sharing (CORS) requests to your app, see <xref:security/cors>. | ||
|  | ||
| ## HttpClient and HttpRequestMessage with Fetch API request options | ||
|  | ||
| When running on WebAssembly in a Blazor client-side app, use [HttpClient](xref:fundamentals/http-requests) and <xref:System.Net.Http.HttpRequestMessage> to customize requests. For example, you can specify the request URI, HTTP method, and any desired request headers. | ||
|  | ||
| Supply request options to the underlying JavaScript [Fetch API](https://developer.mozilla.org/docs/Web/API/Fetch_API) using the `WebAssemblyHttpMessageHandler.FetchArgs` property on the request. As shown in the following example, the `credentials` property is set to any of the following values: | ||
|  | ||
| * `FetchCredentialsOption.Include` ("include") – Advises the browser to send credentials (such as cookies or HTTP authentication headers) even for cross-origin requests. Only allowed when the CORS policy is configured to allow credentials. | ||
| * `FetchCredentialsOption.Omit` ("omit") – Advises the browser never to send credentials (such as cookies or HTTP auth headers). | ||
| * `FetchCredentialsOption.SameOrigin` ("same-origin") – Advises the browser to send credentials (such as cookies or HTTP auth headers) only if the target URL is on the same origin as the calling application. | ||
|  | ||
| ```cshtml | ||
| @using System.Net.Http | ||
| @using System.Net.Http.Headers | ||
| @inject HttpClient Http | ||
|  | ||
| @code { | ||
| private async Task PostRequest() | ||
| { | ||
| Http.DefaultRequestHeaders.Authorization = | ||
| new AuthenticationHeaderValue("Bearer", "{OAUTH TOKEN}"); | ||
|  | ||
| var requestMessage = new HttpRequestMessage() | ||
| { | ||
| Method = new HttpMethod("POST"), | ||
| RequestUri = new Uri("https://localhost:10000/api/todo"), | ||
| Content = | ||
| new StringContent( | ||
| @"{""name"":""A New Todo Item"",""isComplete"":false}") | ||
| }; | ||
|  | ||
| requestMessage.Content.Headers.ContentType = | ||
| new System.Net.Http.Headers.MediaTypeHeaderValue( | ||
| "application/json"); | ||
|  | ||
| requestMessage.Content.Headers.TryAddWithoutValidation( | ||
| "x-custom-header", "value"); | ||
|  | ||
| requestMessage.Properties[WebAssemblyHttpMessageHandler.FetchArgs] = new | ||
| { | ||
| credentials = FetchCredentialsOption.Include | ||
| }; | ||
|  | ||
| var response = await Http.SendAsync(requestMessage); | ||
| var responseStatusCode = response.StatusCode; | ||
| var responseBody = await response.Content.ReadAsStringAsync(); | ||
| } | ||
| } | ||
| ``` | ||
|  | ||
| For more information on Fetch API options, see [MDN web docs: WindowOrWorkerGlobalScope.fetch():Parameters](https://developer.mozilla.org/docs/Web/API/WindowOrWorkerGlobalScope/fetch#Parameters). | ||
|  | ||
| When sending credentials (authorization cookies/headers) on CORS requests, the `Authorization` header must be allowed by the CORS policy. | ||
|  | ||
| The following policy includes configuration for: | ||
|  | ||
| * Request origins (`http://localhost:5000`, `https://localhost:5001`). | ||
| * Any method (verb). | ||
| * `Content-Type` and `Authorization` headers. To allow a custom header (for example, `x-custom-header`), list the header when calling <xref:Microsoft.AspNetCore.Cors.Infrastructure.CorsPolicyBuilder.WithHeaders*>. | ||
| * Credentials set by client-side JavaScript code (`credentials` property set to `include`). | ||
|  | ||
| ```csharp | ||
| app.UseCors(policy => | ||
| policy.WithOrigins("http://localhost:5000", "https://localhost:5001") | ||
| .AllowAnyMethod() | ||
| .WithHeaders(HeaderNames.ContentType, HeaderNames.Authorization, "x-custom-header") | ||
| .AllowCredentials()); | ||
| ``` | ||
|  | ||
| For more information, see <xref:security/cors> and the sample app's HTTP Request Tester component (*Components/HTTPRequestTester.razor*). | ||
|  | ||
| ## Additional resources | ||
|  | ||
| * <xref:fundamentals/http-requests> | ||
| * [Cross Origin Resource Sharing (CORS) at W3C](https://www.w3.org/TR/cors/) | ||
  
    
      This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
      Learn more about bidirectional Unicode characters
    
  
  
    
              | Original file line number | Diff line number | Diff line change | 
|---|---|---|
| @@ -1 +1,5 @@ | ||
| <Router AppAssembly="typeof(Program).Assembly" /> | ||
| <Router AppAssembly="typeof(Program).Assembly"> | ||
| <NotFoundContent> | ||
| <p>Sorry, there's nothing at this address.</p> | ||
| </NotFoundContent> | ||
| </Router> | 
        
          
          
            12 changes: 4 additions & 8 deletions
          
          12 
        
  aspnetcore/blazor/common/samples/3.x/BlazorSample/BlazorSample.csproj
  
  
      
      
   
        
      
      
    
  
    
      This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
      Learn more about bidirectional Unicode characters
    
  
  
    
              | Original file line number | Diff line number | Diff line change | 
|---|---|---|
| @@ -1,19 +1,15 @@ | ||
| <Project Sdk="Microsoft.NET.Sdk.Web"> | ||
| <Project Sdk="Microsoft.NET.Sdk.Web"> | ||
|  | ||
| <PropertyGroup> | ||
| <TargetFramework>netstandard2.0</TargetFramework> | ||
| <RestoreAdditionalProjectSources> | ||
| https://dotnet.myget.org/F/aspnetcore-dev/api/v3/index.json; | ||
| https://dotnet.myget.org/F/blazor-dev/api/v3/index.json; | ||
| </RestoreAdditionalProjectSources> | ||
| <LangVersion>7.3</LangVersion> | ||
| <RazorLangVersion>3.0</RazorLangVersion> | ||
| </PropertyGroup> | ||
|  | ||
| <ItemGroup> | ||
| <PackageReference Include="Microsoft.AspNetCore.Blazor" Version="3.0.0-preview4-19216-03" /> | ||
| <PackageReference Include="Microsoft.AspNetCore.Blazor.Build" Version="3.0.0-preview4-19216-03" PrivateAssets="all" /> | ||
| <PackageReference Include="Microsoft.AspNetCore.Blazor.DevServer" Version="3.0.0-preview4-19216-03" PrivateAssets="all" /> | ||
| <PackageReference Include="Microsoft.AspNetCore.Blazor" Version="3.0.0-preview6.19307.2" /> | ||
| <PackageReference Include="Microsoft.AspNetCore.Blazor.Build" Version="3.0.0-preview6.19307.2" PrivateAssets="all" /> | ||
| <PackageReference Include="Microsoft.AspNetCore.Blazor.DevServer" Version="3.0.0-preview6.19307.2" PrivateAssets="all" /> | ||
| </ItemGroup> | ||
|  | ||
| </Project> | 
      
      Oops, something went wrong.
        
    
  
  Add this suggestion to a batch that can be applied as a single commit.
  This suggestion is invalid because no changes were made to the code.
  Suggestions cannot be applied while the pull request is closed.
  Suggestions cannot be applied while viewing a subset of changes.
  Only one suggestion per line can be applied in a batch.
  Add this suggestion to a batch that can be applied as a single commit.
  Applying suggestions on deleted lines is not supported.
  You must change the existing code in this line in order to create a valid suggestion.
  Outdated suggestions cannot be applied.
  This suggestion has been applied or marked resolved.
  Suggestions cannot be applied from pending reviews.
  Suggestions cannot be applied on multi-line comments.
  Suggestions cannot be applied while the pull request is queued to merge.
  Suggestion cannot be applied right now. Please check back later.
  
    
  
    
Uh oh!
There was an error while loading. Please reload this page.