In the previous article, we have finished creating mutations in the GraphQL application, thus finishing the GraphQL integration in ASP.NET Core Web API. In this article, we are going to consume GraphQL API by creating an ASP.NET Core app.

To consume GraphQL API with the ASP.NET Core app, we are going to use the GraphQL.Client library which will help us in the process.

We won’t dive deep into the ASP.NET Core logic, just as much as we need to create our consuming application. But if you want to read in great detail about ASP.NET Core project development you can do that by reading ASP.NET Core Tutorial.

Support Code Maze on Patreon to get rid of ads and get the best discounts on our products!
Become a patron at Patreon!

To download the source code, visit the Consuming a GraphQL API with ASP.NET Core Source Code.

For the complete navigation of this tutorial visit GraphQL ASP.NET Core Tutorial.

Preparing the ASP.NET Core Client Project

Let’s start, by creating a new ASP.NET Core Web API project. As soon as the project is created, we are going to modify the launchsettings.json file, by setting the launchBrowser property to false and applicationUrl property to https://localhost:5003;http://localhost:5004.

To learn more about ASP.NET Core project configuration, you can read the ASP.NET Core Project Configuration article.

To continue on, let’s modify the appsettings.json file, by adding an address towards the GraphQL application:

{
  "Logging": {
    "LogLevel": {
      "Default": "Information",
      "Microsoft": "Warning",
      "Microsoft.Hosting.Lifetime": "Information"
    }
  },
  "GraphQLURI": "https://localhost:5001/graphql",
  "AllowedHosts": "*"
}

Excellent. Now, we can install the required library:

GraphQL.CLient - new version

Or by using the Package Manager Console: PM> Install-Package GraphQL.Client -Version 3.2.0

Additionally, we require one more library for the GraphQL serialization:

GraphQL Serializer Newtonsoft

PM> Install-Package GraphQL.Client.Serializer.Newtonsoft -Version 3.2.0

After the installation, we are going to register it in the Startup class:

public void ConfigureServices(IServiceCollection services)
{
    services.AddScoped<IGraphQLClient>(s => new GraphQLHttpClient(Configuration["GraphQLURI"], new NewtonsoftJsonSerializer()));

    services.AddControllers();
}

The next step is creating the OwnerConsumer class, which will store all the queries and mutations:

public class OwnerConsumer
{
    private readonly IGraphQLClient _client;

    public OwnerConsumer(IGraphQLClient client)
    {
        _client = client;
    }
}

Now let’s register this class:

public void ConfigureServices(IServiceCollection services)
{
    services.AddScoped<IGraphQLClient>(s => new GraphQLHttpClient(Configuration["GraphQLURI"], new NewtonsoftJsonSerializer()));
    services.AddScoped<OwnerConsumer>();

    services.AddControllers();
}

That is it regarding configuration.

Creating Model Classes

In the first article of this tutorial, Getting Started with GraphQL in ASP.NET Core, you can see that we have the model classes in the starting project. Those classes are also required for the client application, so let’s create them:

public enum TypeOfAccount
{
    Cash,
    Savings,
    Expense,
    Income
}
public class Account
{
    public Guid Id { get; set; }
    public TypeOfAccount Type { get; set; }
    public string Description { get; set; }
}
public class Owner
{
    public Guid Id { get; set; }
    public string Name { get; set; }
    public string Address { get; set; }

    public ICollection<Account> Accounts { get; set; }
}

We are not done yet. In the third part of this tutorial, GraphQL Mutations, we have created the Input type class for the mutation actions. This class is required as well, so let’s create it:

public class OwnerInput
{
    public string Name { get; set; }
    public string Address { get; set; }
}

Awesome.

Now we have everything prepared and are ready to start creating queries and mutations.

Creating Queries and Mutations to Consume GraphQL API

Let’s open the OwnerConsumer class and add the GetAllOwners method:

public async Task<List<Owner>> GetAllOwners()
{
    var query = new GraphQLRequest
    {
        Query = @"
                query ownersQuery{
                  owners {
                    id
                    name
                    address
                    accounts {
                      id
                      type
                      description
                    }
                  }
                }"
    };

    var response = await _client.SendQueryAsync<ResponseOwnerCollectionType>(query);
    return response.Data.Owners;
}

As you can see, we are creating a new GraphQLRequest object which contains a Query property for the query we want to send to the GraphQL API. This query is the same as the one we used with the UI.Playground tool in previous articles.

To execute the query, we call the SenQueryAsync method that accepts a response type (as a generic parameter) and the query. Finally, we return the list of owners from this response.

We don’t have the ResponseOwnerCollectionType class, so let’s create a new ResponseTypes folder and inside two new classes:

public class ResponseOwnerCollectionType
{
    public List<Owner> Owners { get; set; }
}
public class ResponseOwnerType
{
    public Owner Owner { get; set; }
}

 

Here are all the other queries and mutations from the same class:

Get Query:

public async Task<Owner> GetOwner(Guid id)
{
    var query = new GraphQLRequest
    {
        Query = @"
                query ownerQuery($ownerID: ID!) {
                  owner(ownerId: $ownerID) {
                    id
                    name
                    address
                    accounts {
                      id
                      type
                      description
                    }
                  }
                }",
        Variables = new { ownerID = id }
    };

    var response = await _client.SendQueryAsync<ResponseOwnerType>(query);
    return response.Data.Owner;
}

Create Mutation:

public async Task<Owner> CreateOwner(OwnerInput ownerToCreate)
{
    var query = new GraphQLRequest
    {
        Query = @"
                mutation($owner: ownerInput!){
                  createOwner(owner: $owner){
                    id,
                    name,
                    address
                  }
                }",
        Variables = new {owner = ownerToCreate}
    };

   var response = await _client.SendMutationAsync<ResponseOwnerType>(query);
   return response.Data.Owner;
}

Update Mutation:

public async Task<Owner> UpdateOwner(Guid id, OwnerInput ownerToUpdate)
{
    var query = new GraphQLRequest
    {
        Query = @"
                mutation($owner: ownerInput!, $ownerId: ID!){
                  updateOwner(owner: $owner, ownerId: $ownerId){
                    id,
                    name,
                    address
                  }
               }",
        Variables = new { owner = ownerToUpdate, ownerId = id }
    };

    var response = await _client.PostAsync(query);
    return response.GetDataFieldAs<Owner>("updateOwner");
 }

Delete Mutation:

public async Task<string> DeleteOwner(Guid id)
{
    var query = new GraphQLRequest
    {
        Query = @"
               mutation($ownerId: ID!){
                  deleteOwner(ownerId: $ownerId)
                }",
        Variables = new { ownerId = id }
    };

    var response = await _client.SendMutationAsync<ResponseOwnerType>(query);
    return response.Data.Owner;
}

Implementing a Controller

We are going to use the default ValuesController for the testing purpose:

[Route("api/[controller]")]
[ApiController]
public class ValuesController : ControllerBase
{
    private readonly OwnerConsumer _consumer;

    public ValuesController(OwnerConsumer consumer)
    {
        _consumer = consumer;
    }

    [HttpGet]
    public async Task<IActionResult> Get()
    {
        var owners = await _consumer.GetAllOwners();
        return Ok(owners);
    }
    … other actions
}

Now we can test this via Postman:

Postman Result

Excellent, it works like a charm. Of course, you can test all the other queries and mutations by using Postman as well.

Conclusion

In this article we have learned:

  • How to prepare ASP.NET Core Client application to consume the GraphQL app
  • What library do we need to help us with the consumption process
  • How to create queries and mutations from a consuming application

In the next article, we are going to create an Angular application to consume the GraphQL API, by using the Apollo library.

Liked it? Take a second to support Code Maze on Patreon and get the ad free reading experience!
Become a patron at Patreon!