Learn how to create, update, and delete Composable Commerce resources with GraphQL.
After completing this page, you should be able to:
- Identify GraphQL mutations that successfully create, update, and delete resources in Composable Commerce.
We know that GraphQL is great for retrieving data. GraphQL can also create, update, and delete Composable Commerce resources. In GraphQL we call these actions mutations, not queries.
With mutations in Composable Commerce, we specify an update action and the new values. The way that update actions work here is the same as how they work with the REST API.
Use mutations to create resources
id
and version
along with a few other fields.mutation createCustomer {
customerSignUp(
draft: {
email: "martha.jones@example.com"
firstName: "Martha"
lastName: "Jones"
password: "password"
addresses: { country: "DE" }
defaultShippingAddress: 0
}
) {
customer {
id
version
email
defaultShippingAddress {
country
}
}
}
}
Our response looks like this:
{
"data": {
"customerSignUp": {
"customer": {
"id": "57def72f-c92c-437e-a35c-f6216f780bea",
"version": 1,
"email": "martha.jones@example.com",
"defaultShippingAddress": {
"country": "DE"
}
}
}
}
}
Does it really work like a REST request? Yes. We can also check in the Merchant Center if our request was successful:

Use mutations to update resources
id
or key
to specify which record you want to update but also the version
number of the record handling concurrent updates. You also have to provide the actions you want to perform and any required values for that action (see our Manage resources with the SDK module section on version control).firstName
to a new value:mutation updateCustomer {
updateCustomer(
id: "{id}"
version: 1
actions: [{ setFirstName: { firstName: "Jan" } }]
) {
version
firstName
lastName
email
}
}
id
and version
to identify the record and then have one action in our array of actions to indicate we want to set the firstName
field to the value Jan
. It is possible to have multiple updates to one record with GraphQL, just like using the REST API and we can request which data we want to have returned.The above query would return:
{
"data": {
"updateCustomer": {
"version": 2,
"firstName": "Jan",
"lastName": "Johns",
"email": "martha.johns@sportforall.com"
}
}
}
Use mutations to delete resources
version
number.Here’s an example of deleting a Customer:
mutation deleteCustomer {
deleteCustomer(id: "{id}", version: 2) {
id
version
firstName
lastName
email
}
}
Notice that even with a delete action, we can request values to be returned from the record we are deleting.
The above delete action would return:
{
"data": {
"deleteCustomer": {
"id": "{id}",
"version": 2,
"firstName": "Jan",
"lastName": "Jones",
"email": "martha.jones@example.com"
}
}
}