Set up Amplify GraphQL API
Prerequisite: Install, configure and init an Amplify project with Amplify CLI
In this section, you'll learn how to deploy an AWS AppSync GraphQL API and connect to it from a JavaScript client application.
Create the GraphQL API
To create a GraphQL API, use the Amplify add
command:
amplify add api
? Please select from one of the below mentioned services: > GraphQL? Here is the GraphQL API that we will create. Select a setting to edit or continue: > Continue? Choose a schema template: > Single object with fields (e.g., “Todo” with ID, name, description)? Do you want to edit the schema now? > Yes
The CLI should open this GraphQL schema in your text editor.
amplify/backend/api/myapi/schema.graphql
type Todo @model { id: ID! name: String! description: String}
To deploy the API, you can use the Amplify push
command:
amplify push
? Are you sure you want to continue? Y
? Do you want to generate code for your newly created GraphQL API? Y? Choose the code generation language target: javascript (or your preferred language target)? Enter the file name pattern of graphql queries, mutations and subscriptions src/graphql/**/*.js? Do you want to generate/update all possible GraphQL operations - queries, mutations and subscriptions? Y? Enter maximum statement depth [increase from default if your schema is deeply nested]: 2
Now the API has been deployed and you can start using it.
Because the Todo
type was decorated with an @model
directive of the GraphQL Transform library, the CLI created the additional schema and resolvers for queries, mutations, and subscriptions as well as a DynamoDB table to hold the Todos.
To view the deployed services in your project at any time, go to Amplify Console by running the Amplify console
command:
amplify console
Configure your application
Add Amplify to your app with yarn
or npm
:
npm install aws-amplify@^5
In your app's entry point i.e. App.ts or App.js, import and load the configuration file:
import { Amplify, API, graphqlOperation } from 'aws-amplify';import awsconfig from './aws-exports';Amplify.configure(awsconfig);
Enable queries, mutations, and subscriptions
Now that the GraphQL API has deployed, it’s time to learn how to interact with it from a JavaScript client application. With GraphQL, you typically have the following types of operations:
- Mutations - write data to the API (create, update, delete operations)
import { API, graphqlOperation } from 'aws-amplify';import { createTodo, updateTodo, deleteTodo } from './graphql/mutations';import { GraphQLQuery } from '@aws-amplify/api';import { CreateTodoInput, CreateTodoMutation, UpdateTodoMutation, DeleteTodoMutation} from './API';
const todo: CreateTodoInput = { name: 'My first todo', description: 'Hello world!'};
/* create a todo */await API.graphql<GraphQLQuery<CreateTodoMutation>>( graphqlOperation(createTodo, { input: todo }));
/* update a todo */await API.graphql<GraphQLQuery<UpdateTodoMutation>>( graphqlOperation(updateTodo, { input: { id: todoId, name: 'Updated todo info' } }));
/* delete a todo */await API.graphql<GraphQLQuery<DeleteTodoMutation>>( graphqlOperation(deleteTodo, { input: { id: todoId } }));
import { API, graphqlOperation } from 'aws-amplify';import { createTodo, updateTodo, deleteTodo } from './graphql/mutations';
const todo = { name: 'My first todo', description: 'Hello world!' };
/* create a todo */await API.graphql(graphqlOperation(createTodo, { input: todo }));
/* update a todo */await API.graphql( graphqlOperation(updateTodo, { input: { id: todoId, name: 'Updated todo info' } }));
/* delete a todo */await API.graphql(graphqlOperation(deleteTodo, { input: { id: todoId } }));
- Queries - read data from the API (list, get operations)
import { API, graphqlOperation } from 'aws-amplify';import { GraphQLQuery } from '@aws-amplify/api';import { listTodos } from './graphql/queries';import { ListTodosQuery } from './API';
const todos = await API.graphql<GraphQLQuery<ListTodosQuery>>( graphqlOperation(listTodos));
import { API, graphqlOperation } from 'aws-amplify';import { listTodos } from './graphql/queries';
const todos = await API.graphql(graphqlOperation(listTodos));
- Subscriptions - subscribe to changes in data for real-time functionality (onCreate, onUpdate, onDelete)
import { API, graphqlOperation } from 'aws-amplify';import { GraphQLSubscription } from '@aws-amplify/api';import { onCreateTodo } from './graphql/subscriptions';import { OnCreateTodoSubscription } from './API';
// Subscribe to creation of Todoconst sub = API.graphql<GraphQLSubscription<OnCreateTodoSubscription>>( graphqlOperation(onCreateTodo)).subscribe({ next: (payload) => { const createdTodo = payload.value.data?.onCreateTodo; console.log(createdTodo); }});
// Stop receiving data updates from the subscriptionsub.unsubscribe();
import { API, graphqlOperation } from 'aws-amplify';import { onCreateTodo } from './graphql/subscriptions';
// Subscribe to creation of Todoconst sub = API.graphql(graphqlOperation(onCreateTodo)).subscribe({ next: (payload) => { const createdTodo = payload.value.data?.onCreateTodo; console.log(createdTodo); }});
// Stop receiving data updates from the subscriptionsub.unsubscribe();
Updating Your GraphQL Schema
When you create a GraphQL backend with the CLI, the schema definition for your backend data structure is saved in one of two places:
- By default, schemas are saved in amplify/backend/api/YOUR-API-NAME/schema.graphql. If the
schema.graphql
file exists, it will take precedence over option 2. - Optionally, schemas may be saved as a set of
.graphql
files stored in the amplify/backend/api/YOUR-API-NAME/schema/ directory. E.g. you might have filesQuery.graphql
,User.graphql
, andPost.graphql
.
Once your API is deployed, updating the schema is easy with the CLI. You can edit the schema file(s) and run amplify push command to update your GraphQL backend.
For example, a sample GraphQL schema will look like this:
type Todo @model { id: ID! name: String! description: String}
Add a priority field to your Todo type:
type Todo @model { id: ID! name: String! description: String priority: String}
Save your schema file and update your GraphQL backend:
amplify push
When you run the push command, you will notice that your schema change is automatically detected, and your backend will be updated respectively.
| Category | Resource name | Operation | Provider plugin || -------- | --------------- | --------- | ----------------- || Api | myapi | Update | awscloudformation |
When the update is complete, you can see the changes to your backend by running the following command and select GraphQL option.
amplify api console? Please select from one of the below mentioned services: (Use arrow keys)❯ GraphQL REST
Using GraphQL Transformers
As you can notice in the sample schema file above, the schema has a @model
directive. The @model
directive leverages a set of libraries that can help simplify the process of bootstrapping highly scalable, serverless GraphQL APIs on AWS. The @model
directive tells the GraphQL Transform that you would like to store Todo objects in an Amazon DynamoDB table and configure CRUD operations for it. When you create or update your backend with push command, the CLI will automatically create and configure a new DynamoDB table that works with your AppSync API. The @model
directive is just one of multiple transformers that can be used by annotating your schema.graphql.
The following directives are available to be used when defining your schema:
Directive | Description |
---|---|
@model on Object | Store objects in DynamoDB and configure CRUD resolvers. |
@auth on Object | Define authorization strategies for your API. |
@hasOne, @hasMany, @belongsTo, @manyToMany on Field | Specify relationships between @model object types. |
@searchable on Object | Stream data of an @model object type to the Amazon OpenSearch Service. |
@primaryKey and @index on Object | Index your data with keys. |
@function on Field | Connect Lambda resolvers to your API. |
@predictions on Field | Connect machine learning services. |
@http on Field | Configure HTTP resolvers within your API. |
You may also write your own transformers to implement reproducible patterns that you find useful.
Mocking and Local Testing
Amplify supports running a local mock server for testing your application with AWS AppSync, including debugging of resolvers, before pushing to the cloud. Please see the CLI Toolchain documentation for more details.
Generate client types from a GraphQL schema
When working with GraphQL data it is useful to import types from your schema for type safety. You can do this with the Amplify CLI's automated code generation feature. The CLI automatically downloads GraphQL Introspection Schemas from the defined GraphQL endpoint and generates TypeScript or Flow classes for you. Every time you push your GraphQL API, the CLI will provide you the option to generate types and statements.
If you want to generate your GraphQL statements and types, run:
amplify codegen
A TypeScript or Flow type definition file will be generated in your target folder.
API configuration in the amplify folder
The Amplify CLI will create an amplify/backend/api
folder that will hold the existing GraphQL schema, resolvers, and additional configuration around the API. To learn more about how the CLI manages this configuration, check out the documentation here. To learn how to configure custom GraphQL resolvers, check out the documentation here.