Error handling is a critical aspect of developing APIs, particularly with GraphQL, due to its flexible nature. In GraphQL, errors can occur during query execution, data fetching, or even due to validation issues. Handling these errors gracefully ensures that clients receive meaningful feedback and can respond appropriately. Below are three practical examples of error handling in a GraphQL API.
In this example, we will demonstrate how to handle validation errors in a GraphQL API when a user tries to create a new account with invalid data.
In the use case, a user submits a mutation to register an account. The server checks for required fields and validates the email format. If the validation fails, we need to return clear error messages.
mutation RegisterUser($input: RegisterInput!) {
  registerUser(input: $input) {
    userId
    errors {
      field
      message
    }
  }
}
When the input is invalid, the API responds with:
{
  "data": {
    "registerUser": {
      "userId": null,
      "errors": [
        {
          "field": "email",
          "message": "Email format is invalid"
        }
      ]
    }
  },
  "errors": []
}
Notes:
In this scenario, we will handle authentication errors when a user attempts to access a protected resource without proper authentication.
We have a query that retrieves user profile information, but it requires the user to be authenticated. If the user is not authenticated, we should return an appropriate error message.
query GetUserProfile {
  userProfile {
    id
    name
    email
  }
}
If the user is not authenticated, the API responds with:
{
  "data": null,
  "errors": [
    {
      "message": "Authentication required",
      "locations": [{"line": 2, "column": 3}],
      "path": ["userProfile"]
    }
  ]
}
Notes:
This example illustrates how to manage business logic errors that may arise during data processing, such as trying to book a service that is already fully booked.
In this scenario, a user attempts to book a service through a mutation. If the service is fully booked, we want to return an error message indicating that the booking cannot be completed.
mutation BookService($serviceId: ID!) {
  bookService(serviceId: $serviceId) {
    bookingId
    errors {
      message
    }
  }
}
If the service is fully booked, the API responds with:
{
  "data": {
    "bookService": {
      "bookingId": null,
      "errors": [
        {
          "message": "Service is fully booked"
        }
      ]
    }
  },
  "errors": []
}
Notes:
These examples of error handling in GraphQL API illustrate the importance of providing clear, structured feedback to clients. Proper error management not only enhances user experience but also aids in debugging and improving API reliability.