September 27, 2021
Fullstack App With TypeScript, PostgreSQL, Next.js, Prisma & GraphQL: GraphQL API
This article is the second part of a course where you build a fullstack app with Next.js, GraphQL, TypeScript, Prisma, and PostgreSQL. In this article, you will create the GraphQL API and interact with it on the frontend.
Table of contents
- Introduction
- Clone the repository
- Seeding the database
- Building APIs the traditional way: REST
- REST APIs and their drawbacks
- GraphQL, an alternative to REST
- Building the GraphQL API
- The flaws with our current GraphQL setup
- Code-first GraphQL APIs using Pothos
- Client-side GraphQL queries
- Pagination
- Summary and Next-steps
Introduction
In this course you will learn how to build "awesome-links", a fullstack app where users can browse through a list of curated links and bookmark their favorite ones.
In the last part, you used Prisma to set up the database layer. By the end of this part, you will learn about GraphQL: what it is and how you can use it to build an API in a Next.js app.
Development environment
To follow along with this tutorial, you need to have Node.js and the GraphQL extension installed. You will also need to have a running PostgreSQL instance.
Note: you can set up PostgreSQL locally or a hosted instance on Heroku. Note that you will need a remote database for the deployment step at the end of the course.
Clone the repository
You can find the complete source code for the course on GitHub.
Note: Each article has a corresponding branch. This way, you can follow along as you go through it. By checking out the part-2 branch, you have the same starting point as this article.
To get started, navigate into the directory of your choice and run the following command to clone the repository.
You can now navigate into the cloned directory, install the dependencies and start the development server:
The app will be running at http://localhost:3000/
and you will see four items. The data is hardcoded and comes from the /data/links.ts
file.
Seeding the database
After setting up a PostgreSQL database, rename the env.example
file to .env
and set the connection string for your database. After that, run the following command to create a migration and the tables in your database:
If prisma migrate dev
did not trigger the seed step, run the following command to seed the database:
This command will run the seed.ts
script, located in the /prisma
directory. This script adds four links and one user to your database using Prisma Client.
A look at the project structure and dependencies
You will see the following folder structure
This is a Next.js application with TailwindCSS set up along with Prisma.
In the pages
directory, you will find three files:
_app.tsx
: the globalApp
component, which is used to add a navigation bar that persists between page changes and to add global CSS.about.tsx
: this file exports a React component which renders a page located at http://localhost:3000/about.index.tsx
: the home page, which contains a list of links. These links are hardcoded in the/data/links.ts
file.
Next, you will find a prisma
directory which contains the following files:
schema.prisma
: the schema of our database, written in PSL (Prisma Schema Language). If you want to learn how the database was modeled for this app, check out the last part of the course.seed.ts
: script that will seed the database with dummy data.
Building APIs the traditional way: REST
In the last part of the course, you set up the database layer using Prisma. The next step is to build the API layer on top of the data model, which will allow you to request or send data from the client.
A common approach to structure the API is to have the client send requests to different URL endpoints. The server will retrieve or modify a resource based on the request type and send back a response. This architectural style is known as REST, and it has a couple of advantages:
- Flexible: an endpoint can handle different types of requests
- Cacheable: all you need to do is cache the response of a specific endpoint
- Separation between the client and the server: different platforms (for example, web app, mobile app, etc.) can consume the API.
REST APIs and their drawbacks
While REST APIs offer advantages, they also have some drawbacks. We will use awesome-links
as an example.
Here is one possible way of structuring the REST API of awesome-links
:
Resource | HTTP Method | Route | Description |
---|---|---|---|
User | GET | /users | returns all users and their information |
User | GET | /users/:id | returns a single user |
Link | GET | /links | returns all links |
Link | GET , PUT , DELETE | /links/:id | returns a single link, updates it or deletes it. id is the link's id |
User | GET | /favorites | returns a user's bookmarked links |
User | POST | /link/save | adds a link to the user's favorites |
Link | POST | /link/new | creates a new link (done by admin) |
Each REST API is different
Another developer may have structured their REST API differently, depending on how they see fit. This flexibility comes with a cost: every API is different.
This means every time you work with a REST API, you will need to go through its documentation and learn about:
- The different endpoints and their HTTP methods.
- The request parameters for each endpoint.
- What data and status codes are returned by every endpoint.
This learning curve adds friction and slows down developer productivity when working with the API for the first time.
On the other hand, backend developers who built the API need to manage it and maintain its documentation.
And when an app grows in complexity, so does the API: more requirements lead to more endpoints created.
This increase in endpoints will most likely introduce two issues: overfetching and underfetching data.
Overfetching and underfetching
Overfetching occurs when you fetch more data than you need. This leads to slower performance since you are consuming more bandwidth.
On the other hand, sometimes you find that an endpoint does not return all the necessary to be displayed in the UI, so you end up making one or more requests to another endpoint. This also leads to slow performance since there will be a waterfall of network requests that need to occur.
In the "awesome-links" app, if you want a page to display all users and their links, you will need to make an API call to the /users/
endpoint and then make another request to /favorites
to fetch their favorites.
Having the /users
endpoint return users and their favorites will not solve the problem. That is because you will end up with a significant API response that will take a long time to load.
REST APIs are not typed
Another downside about REST APIs is they are not typed. You do not know the types of data returned by an endpoint nor what type of data to send. This leads to making assumptions about the API, which can lead to bugs or unpredictable behavior.
For example, do you pass the user id as a string or a number when making a request? Which request parameters are optional, and which ones are required? That is why you will use the documentation, however, as an API evolves, documentation can get outdated. There are solutions that address these challenges, but we will not cover them in this course.
GraphQL, an alternative to REST
GraphQL is a new API standard that was developed and open-sourced by Facebook. It provides a more efficient and flexible alternative to REST, where a client can receive exactly the data it needs.
Instead of sending requests to one or more endpoints and stitching the responses, you only send requests to a single endpoint.
Here is an example of a GraphQL query that returns all links in the "awesome-links" app. You will define this query later when building the API:
The API only returns the id
and title
, even though a link has more fields.
Note: this is GraphiQL, a playground for running GraphQL operations. It offers nice features which we will cover in more detail
Now you will see how you can get started with building a GraphQL API.
Defining a schema
It all starts with a GraphQL schema where you define all operations that your API can do. You also specify the operations' input arguments along with the response type.
This schema acts as the contract between the client and the server. It also serves as documentation for developers consuming the GraphQL API. You define the schema using GraphQL's SDL (Schema Definition Language).
Let's look at how you can define the GraphQL schema for the "awesome-links" app.
Defining object types and fields
The first thing you need to do is define an Object type. Object types represent a kind of object you can fetch from your API.
Each object type can have one or many fields. Since you want to have users in the app, you will need to define a User
object type:
The User
type has the following fields:
id
, which is of typeID
.email
, which is of typeString.
image
, which is of typeString
.role
, which is of typeRole
. This is an enum, which means a user's role can take one of two values: eitherUSER
orADMIN
.bookmarks
, which is an array of typeLink
. Meaning a user can have many links. You will define theLink
object next.
This is the definition for the Link
object type:
This is a many-to-many relation between the Link
and User
object types since a Link
can have many users, and a User
can have many links. This is modeled in the database using Prisma.
Defining Queries
To fetch data from a GrahQL API, you need to define a Query
Object type. This is a type where you define an entry point of every GraphQL query.
For each entry point, you define its arguments and its return type.
Here is a query that returns all links.
The links
query returns an array of type Link
. The !
is used to indicate that this field is non-nullable, meaning that the API will always return a value when this field is queried.
You can add more queries depending on the type of API you want to build. For the "awesome-links" app, you can add a query to return a single link, another one to return a single user, and another to return all users.
- The
link
query takes an argumentid
of typeID
and returns aLink
. Theid
argument is required, and the response is non-nullable. - The
user
query takes an argumentid
of typeID
and returns aUser
. Theid
argument is required, and the response is non-nullable. - The
users
query returns an array of typeUser
. Theid
argument is required. The response is non-nullable.
Defining mutations
To create, update or delete data, you need to define a Mutation
Object type. It is a convention that any operations that cause writes should be sent explicitly via a mutation. In the same way, you should not use GET
requests to modify data.
For the "awesome-links" app, you will need different mutations for creating, updating and deleting a link:
- The
createLink
mutation takes as an argument acategory
, adescription
, atitle
, aurl
and animageUrl
. All of these fields are of typeString
and are required. This mutation returns aLink
object type. - The
deleteLink
mutation takes as anid
of typeID
as a required argument. It returns a requiredLink
. - The
updateLink
mutation takes the same arguments as thecreateLink
mutation. However, arguments are optional. This way, when updating aLink
you will only pass the fields you want to be updated. This mutation returns a requiredLink
.
Defining the implementation of queries and mutations
So far, you only defined the schema of the GraphQL API, but you haven't specified what should happen when a query or a mutation runs. The functions responsible for executing the implementation of the query or a mutation are called resolvers. Inside the resolvers, you can send queries to a database or a request to a 3rd-party API.
For this tutorial, you will use Prisma inside the resolvers to send queries to a PostgreSQL database.
Building the GraphQL API
To build the GraphQL API, you will need a GraphQL server that will serve a single endpoint.
This server will contain the GraphQL schema along with the resolvers. For this project, you will use GraphQL Yoga.
To get started, in the starter repo you cloned in the beginning, run the following command in your terminal:
The graphql
package is the JavaScript reference implementation for GraphQL. It is a peer-dependency for graphql-yoga
.
Defining the schema of the app
Next, you need to define the GraphQL schema. Create a new graphql
directory in the project's root folder, and inside it, create a new schema.ts
file. You will define the Link
object along with a query that returns all links.
Defining resolvers
The next thing you need to do is create the resolver function for the links
query. To do so, create a /graphql/resolvers.ts
file and add the following code:
resolvers
is an object where you will define the implementation for each query and mutation. The functions inside the Query
object must match the names of the queries defined in the schema. Same thing goes for mutations.
Here the links
resolver function returns an array of objects, where each object is of type Link
.
Creating the GraphQL endpoint
To create the GraphQL endpoint, you will leverage Next.js' API routes. Any file inside the /pages/api
folder is mapped to a /api/*
endpoint and treated as an API endpoint.
Go ahead and create a /pages/api/graphql.ts
file and add the following code:
You created a new GraphQL Yoga server instance that is the default export. You also created a schema using the createSchema
function that takes the type-definitions and resolvers as a parameter.
You then specified the path for the GraphQL API with the graphqlEndpoint
property to /api/graphql
.
Finally, every API route can export a config
object to change the default configs. Body parsing is disabled here.
Sending queries using GraphiQL
After completing the previous steps, start the server by running the following command:
When you navigate to http://localhost:3000/api/graphql/
, you should see the following page:
GraphQL Yoga provides an interactive playground called GraphiQL you could use to explore the GraphQL schema and interact with your API.
Update the content on the right tab with the following query and then hit CMD/CTRL + Enter to execute the query:
The responses should be visible on the left panel, similar to the screenshot above.
The Documentation Explorer (top left button on the page) will allow you to explore each query/mutation individually, seeing the different needed arguments along with their types.
Initialize Prisma Client
So far, the GraphQL API returns hardcoded data in the resolvers function. You will use Prisma Client in these functions to send queries to the database.
Prisma Client is an auto-generated, type-safe, query builder. To be able to use it in your project, you should instantiate it once and then reuse it across the entire project. Go ahead and create a /lib
folder in the project's root folder and inside it create a prisma.ts
file. Next, add the following code to it:
First, you are creating a new Prisma Client instance. Then if you are not in a production environment, Prisma will be attached to the global object so that you do not exhaust the database connection limit. For more details, check out the documentation for Next.js and Prisma Client best practices.
Query the database using Prisma
Now you can update the resolver to return data from the database. Inside the /graphql/resolvers.ts
file, update the links
function to the following code:
If everything is set up correctly, when you go to GraphiQL,at http://localhost:3000/api/graphql
and re-run the links query, the data should be retrieved from your database.
The flaws with our current GraphQL setup
When the GraphQL API grows in complexity, the current workflow of creating the schema and the resolvers manually can decrease developer productivity:
- Resolvers must match the same structure as the schema and vice-versa. Otherwise, you can end up with buggy and unpredictable behavior. These two components can accidentally go out of sync when the schema evolves or the resolver implementation changes.
- The GraphQL schema is defined as strings, so no auto-completion and build-time error checks for the SDL code.
To solve these problems, one can use a combination of tools like GraphQL code-generator. Alternatively, you can use a code-first approach when building the schema with its resolvers.
Code-first GraphQL APIs using Pothos
Pothos is a GraphQL schema construction library where you define your GraphQL schema using code. The value proposition of this approach is you are using a programming language to build your API, which has multiple benefits:
- No need to context-switch between SDL and the programming language you are using to build your business logic.
- Auto-completion from the text-editor
- Type-safety (if you are using TypeScript)
These benefits contribute to a better development experience with less friction.
For this tutorial, you will use Pothos. It also provides a great plugin for Prisma that provides a good development experience and type safety between your GraphQL types and Prisma schema.
Note: Pothos can be used in a type-safe way with Prisma without using the plugin, however that process is very manual. See details here.
To get started, run the following command to install Pothos and the Prisma plugin for Pothos:
Next, add the pothos
generator block to your Prisma schema right below the client
generator:
Run the following command to re-generate Prisma Client and Pothos types:
Next, create an instance of the Pothos schema builder as a shareable module. Inside the graphql
folder, create a new file called builder.ts
and add the following snippet:
- Defines all the libraries and utilities that will be needed
- Creates a new
SchemaBuilder
instance - Defines the static types that will be used in creating the GraphQL schema
- Defines options for the
SchemaBuilder
such as the plugins and the Prisma Client instance that will be used - Creates a
queryType
with a query calledok
that returns a boolean
Next, in the /graphql/schema.ts
file replace the typeDefs
with the following code, which will create a GraphQL schema from Pothos' builder:
Finally, update the import in the /pages/api/graphql.ts
file:
Make sure the server is running and navigate to http://localhost:3000/api/graphql
. You will be able to send a query with an ok
field, which will return true
Defining the schema using Pothos
The first step is defining a Link
object type using Pothos. Go ahead and create a /graphql/types/Link.ts
file, add the following code:
Since you're using the Pothos' Prisma plugin, the builder
instance provides utility methods for defining your GraphQL schema such as prismaObject
.
prismaObject
accepts two arguments:
name
: The name of the model in the Prisma schema you would like to expose.options
: The options for defining the type you're exposing such as the description, fields, etc.
Note: You can use CTRL + Space to invoke your editor's intellisense and view the available arguments.
The fields
property is used to define the fields you would like to make available from your Prisma schema using the "expose" functions. For this tutorial, we'll expose the id
, title
, url
, imageUrl
, and category
fields.
The t.relation
method is used to define the relation fields you would wish to expose from your Prisma schema.
Now create a new /graphql/types/User.ts
file and add the following to code to create the User
type:
Since the email
and image
fields in the Prisma schema are nullable, pass the nullable: true
as a second argument to the expose method.
The default type for the role
field when "exposing" it's type from the generated schema. In the above example, you've defined an explicit enum type called Role
which is then used to resolve the role
's field type.
To make the defined object types for the schema available in the GraphQL schema, add the imports to the types you just created in the graphql/schema.ts
file:
Defining queries using Pothos
In the graphql/types/Link.ts
file, add the following code below the Link
object type definition:
In the above snippet:
- Defines a query type called
links
. - Defines the field that will resolve to the generated Prisma Client types.
- Specifies the field that Pothos will use to resolve the field. In this case, it resolves to an array of the
Link
type - Defines the logic for the query.
The query
argument in the resolver function adds a select
or include
to your query to resolve as many relation fields as possible in a single request.
Now if you go back to the GraphiQL, you will be able to send a query that returns all links from the database.
Client-side GraphQL queries
For this project, you will be using Apollo Client. You can send a regular HTTP POST request to interact with the GraphQL API you just built. However, you get a lot of benefits when using a GraphQL Client instead.
Apollo Client takes care of requesting and caching your data, as well as updating your UI. It also includes features for query batching, query deduplication, and pagination.
Setting up Apollo Client in Next.js
To get started with Apollo Client, add to your project by running the following command:
Next, in the /lib
directory create a new file called apollo.ts
and add the following code to it:
You are creating a new ApolloClient
instance to which you are passing a configuration object with uri
and cache
fields.
- The
uri
field specifies the GraphQL endpoint you will interact with. This will be changed to the production URL when the app is deployed. - The
cache
field is an instance of InMemoryCache, which Apollo Client uses to cache query results after fetching them.
Next, go to the /pages/_app.tsx
file and add the following code to it, which sets up Apollo Client:
You are wrapping the global App
component with the Apollo Provider so all of the project's components can send GraphQL queries.
Note: Next.js supports different data fetching strategies. You can fetch data server-side, client-side, or at build-time. To support pagination, you need to fetch data client-side.
Sending requests using useQuery
To load data on your frontend using Apollo client, update the /pages/index.tsx
file to use the following code:
You are using the useQuery
hook to send queries to the GraphQL endpoint. This hook has a required parameter of a GraphQL query string. When the component renders, useQuery
returns an object which contains three values:
loading
: a boolean that determines whether or not the data has been returned.error
: an object that contains the error message in case an error occurs after sending the query.data
: contains the data returned from the API endpoints.
After you save the file and you navigate to http://loclahost:3000
, you will see a list of links which are fetched from the database.
Pagination
AllLinksQuery
returns all the links you have in the database. As the app grows and you add more links, you will have a large API response that will take a long time to load. Also the database query sent by the resolver will become slower, since you are returning the links in the database using the prisma.link.findMany()
function.
A common approach to improve performance is to add support for pagination. This is when you split a large data set into smaller chunks that can be requested as needed.
There are different ways to implement pagination. You can do numbered pages, for example like Google search results, or you can do infinite scrolling like Twitter's feed.
Pagination at the database level
Now at the database level, there are two pagination techniques that you can use: offset-based and cursor-based pagination.
- Offset-based: you skip a certain number of results and select a limited range. For example, you can skip the first 200 results and take only 10 after. The downside of this approach is that it does not scale at the database level. If for example you skip the first 200,000 records, the database still has to traverse all of them, which will affect performance.
For more information on why you may want to use off-set based pagination, check out the documentation.
- Cursor-based pagination: you use a cursor to bookmark a location in a result set. On subsequent requests you can then jump straight to that saved location. Similar to how you can access an array by its index.
The cursor must be a unique, sequential column - such as an ID or a timestamp. This approach is more efficient than offset-based pagination and will be the one you use in this tutorial.
Pagination in GraphQL
To make the GraphQL API support pagination, you need to introduce Relay Cursor Connections Specification to the GraphQL schema. This is a specification for how a GraphQL server should expose paginated data.
Here is what the paginated query of allLinksQuery
will look like:
The query takes two arguments, first
and after
:
first
: anInt
that specifies how many items you want the API to return.after
: aID
argument that bookmarks the last item in a result set, this is the cursor.
This query returns an object containing two fields, pageInfo
and edges
:
pageInfo
:an object that helps the client determine if there is more data to be fetched. This object contains two fields,endCursor
andhasNextPage
:endCursor
: the cursor of the last item in a result set. This cursor is of typeString
hasNextPage
: a boolean returned by the API that lets the client know if there are more pages that can be fetched.
edges
is a an array of objects, where each object has acursor
and anode
fields. Thenode
field here returns theLink
object type.
You will implement one-way pagination, where some links are requested when the page first loads, then the user can fetch more by clicking a button.
Alternatively, you can make this request as the user reaches the end of the page when scrolling.
The way this works is that you fetch some data as the page first loads. Then after clicking a button, you send a second request to the API which includes how many items you want returned and a cursor. The data is then returned and displayed on the client.
Note: an example of two-way pagination is a chat app like Slack, where you can load messages by going forwards or backwards.
Modifying the GraphQL schema
Pothos provides a plugin for handling relay-style cursor-pagination with nodes, connections, and other helpful utilities
Install the plugin with the following command:
Update the graphql/builder.ts
to include the relay plugin.
Updating the resolver to return paginated data from the database
To use cursor-based pagination make the following update to the links
query:
The prismaConnection
method is used to create a connection
field that also pre-loads the data inside that connection.
Here is a diagram that summarizes how pagination works on the server:
Pagination on the client using fetchMore()
Now that the API supports pagination, you can fetch paginated data on the client using Apollo Client.
The useQuery
hook returns an object containing data
, loading
and errors
. However, useQuery
also returns a fetchMore()
function, which is used to handle pagination and updating the UI when a result is returned.
Navigate to the /pages/index.tsx
file and update it to use the following code to add support for pagination:
You are first passing a variables
object to the useQuery
hook, which contains a key called first
with a value of 2
. This means you will be fetching two links. You can set this value to any number you want.
The data
variable will contain the data returned from the initial request to the API.
You are then destructuring the endCursor
and hasNextPage
values from the pageInfo
object.
If hasNextPage
is true
, we will show a button that has an onClick
handler. This handler returns a function that calls the fetchMore()
function, which receives an object with the following fields:
- A
variables
object that takes theendCursor
returned from the initial data. updateQuery
function, which is responsible for updating the UI by combining the previous results with the results returned from the second query.
If hasNextPage
is false
, it means there are no more links that can be fetched.
If you save and your app is running, you should be able to fetch paginated data from your database.
Summary and Next-steps
Congratulations! You successfully completed the second part of the course! If you run into any issues or have any questions, feel free to reach out in our Slack community.
In this part, you learned about:
- The advantages of using GraphQL over REST
- How to build a GraphQL API using SDL
- How to build a GraphQL API using Pothos and the benefits it offers
- How to add support for pagination in your API and how to send paginated query from the client
In the next part of the course, you will:
- Add authentication using Auth0 to secure the API endpoint, this way, only logged in users can view the links
- Create a mutation so that a logged-in user can bookmark a link
- Create an admin-only route for creating links
- Set up AWS S3 to handle file uploads
- Add a mutation to create links as an admin
Don’t miss the next post!
Sign up for the Prisma Newsletter