How to Build a Payment App
Overview
This tutorial will guide you through creating a basic Payment App with Transactions API.
We will integrate with a fictional Dummy Payment Gateway. This gateway will simulate real payment processing without handling actual payments.
Prerequisites
- Basic understanding of Saleor Apps
- Familiarity with Next.js
node >=18.17.0 <=20
pnpm >=9
What is a Payment App
A Payment App is a Saleor App that follows a standard payment interface, enabling Saleor to identify the app as a payment gateway and manage payments through it.
That interface consists of synchronous webhooks. This feature allows Saleor to suspend the resolution of an API call until Saleor receives a response from the app in the correct format. Saleor can then pass that response as the value of the requested field.
Saleor supports two types of webhooks: synchronous and asynchronous. Synchronous events are sent immediately after the event happens during GraphQL requests. Asynchronous events are sent after request processing is finished. You can read more about them in the Webhooks article.
We will look at what webhooks we must implement in the "Webhooks" section.
Each payment service has its unique payment flow, so Saleor needs a flexible API to support them. This flexibility is the core idea behind the Transactions API, which we will use for processing payments.
Our fictional payment gateway is a simple one, so we won't cover the entire API in this tutorial. For real payment providers, the flow may differ. Gateway X may require multiple webhooks to capture the payment process, while Gateway Y may only need one.
If you need a reference point for integrating with real payment providers, you can check out the following examples:
What is a Transaction
A transaction represents a payment instance created in Order or Checkout. It holds a list of events that make up the payment process. Each event has a type that describes the action taken on the transaction. You can see the complete list of events in the TransactionEventTypeEnum
.
Besides the events, a transaction also contains other payment information, like the amount or currency.
Transactions can be created and managed using the Transactions API.
Dummy Payment Gateway Flow
We want Dummy Payment Gateway to feel like a real payment provider. To achieve that, we will model the payment process after a typical 3D Secure flow.
Here is how it looks:
Dummy Payment Gateway offers a drop-in payment UI that returns a token when the user starts the payment. The token should be used to confirm the payment on the backend.
The payment process flow consists of the following steps:
- Initiate the payment process in the drop-in.
- Ask for payment confirmation (e.g., redirect the user to the 3D Secure page).
- Charge the payment on the 3D Secure page.
- Redirect the user to the result (success or failure) page.
Checkout
Transaction API can be used both in Checkout and Order. In this tutorial, we will focus on the payment part only and assume that the checkout is already created and the user is ready to pay.
Modeling the Transaction Flow
Transaction Events
The first step in building our Payment App does not involve any code. To avoid further rework, we need to understand the transaction flow we want to model. The goal is to have a list of events produced by the app and their corresponding webhooks.
Let's highlight two key details from the Dummy Payment Gateway flow:
- The desired result is charging the payment successfully.
- We can't charge the payment without the user's confirmation (3D Secure).
In Saleor Transactions API, a successfully charged payment is represented by the CHARGE_SUCCESS
event status. If the payment fails, the status is CHARGE_FAILURE
.
However, before the payment can be charged, we need to confirm it via 3D Secure. This additional action is represented by the CHARGE_ACTION_REQUIRED
event status.
There is a setting in Saleor that can affect this behavior. Transaction Flow Strategy can be set to CHARGE
or AUTHORIZATION
. The CHARGE
strategy allows the payment to be charged immediately, while the AUTHORIZATION
strategy will require the funds to be authorized first. You can decide on the strategy on per channel basis in the Configuration → Channels → your channel page.
Now that we understand the key Saleor transaction event statuses, let's align them with our Dummy Payment Gateway flow. This mapping will show how each step in our payment process corresponds to a specific Saleor transaction status:
Step | Status | Description |
---|---|---|
1. Initiate the payment process in the drop-in | --- | --- |
2. Confirm the payment via 3D Secure | CHARGE_ACTION_REQUIRED | The payment requires additional action to be completed. The drop-in token is needed to initialize the payment. |
3. Charge the payment | --- | --- |
3a. Charge successful | CHARGE_SUCCESS | The payment was successful. |
3b. Charge failed | CHARGE_FAILURE | The payment failed, for example, due to insufficient funds. |
4. Redirect the user to the result page | --- | --- |
Webhooks
Transaction Initialize Session
With our transaction events mapped out, let's determine which webhooks we need to implement to handle these events.
When exploring the Transaction Events documentation, you may notice that three webhooks can result in the CHARGE_SUCCESS
event: TRANSACTION_CHARGE_REQUESTED
, TRANSACTION_INITIALIZE_SESSION
and TRANSACTION_PROCESS_SESSION
.
There are two reasons for why we are not going with the TRANSACTION_CHARGE_REQUESTED
webhook:
- It is designed for the staff users to charge the payment manually. Since we want a checkout user (possibly unauthenticated) to be able to pay for the order, it is not a good fit.
- It does not allow the return of the
CHARGE_ACTION_REQUIRED
event status.
TRANSACTION_PROCESS_SESSION
is also not a match. It is triggered when transactionProcess
mutation is called, but only when the TRANSACTION_INITIALIZE_SESSION
was called first and returned CHARGE_ACTION_REQUIRED
or AUTHORIZE_ACTION_REQUIRED
event status. This webhook will be useful for the second step of our payment process.
That leaves us with the TRANSACTION_INITIALIZE_SESSION
webhook. It is triggered on the transactionInitialize
mutation which can be used without any permissions (unless you are using the action
field). It can result in the CHARGE_ACTION_REQUIRED
event status, as required.
Transaction Process Session
When TRANSACTION_INITIALIZE_SESSION
returns CHARGE_ACTION_REQUIRED
, the app must execute this additional action. Depending on the outcome, we want the status to change to either CHARGE_SUCCESS
or CHARGE_FAILURE
.
The additional TRANSACTION_PROCESS_SESSION
webhook will be responsible for this transition.
Webhook Sequence
The final sequence of webhooks and their corresponding mutations in our payment process is as follows:
Creating a Saleor App from Template
Any app with server-side capabilities can be considered a Saleor App if it matches the requirements described in the App Requirements document. Thanks to the App Template, we won't have to check all the boxes manually.
saleor-app-template
is your Next.js starting point for building a Saleor App. It comes with all the necessary scaffolding to get you started. We will explore its features in the following sections of the tutorial.
For now, let's clone the template and boot up our app:
git clone https://github.com/saleor/saleor-app-template.git
Then, navigate to the app directory and install the dependencies:
pnpm install
Finally, start the app:
pnpm dev
Installing the App
To verify that the app is running correctly, we must install it in Saleor. To do that, we need to expose our local development environment to the internet via a tunneling service. If you don't have experience with tunneling or app installation, you can follow the Tunneling Apps guide.
The easiest way to proceed is to install a CLI tunneling tool like ngrok
, and then expose the app on the default port 3000
:
ngrok http 3000
This command will return a public URL that you can use to install the app in Saleor.
To do that, go to Saleor Dashboard → Apps → Install external app and paste the URL with the /api/manifest
suffix.
After the installation, you should see the app on the Apps list. If you click on it, you will see the App Template's default page.
Implementing Transaction Initialize Session
Updating the App Permissions in the Manifest
Our first step will be visiting the src/pages/api/manifest.ts
directory, where the App Manifest lives.
App Manifest is the source of information about the app, including its webhooks. Saleor calls the /manifest
API route during the app installation to retrieve all the necessary information about the app.
Two fields in the App Manifest require our attention:
permissions
- The list of permissions the app requires to communicate with Saleor correctly (through webhooks and queries).webhooks
- The list of webhooks the app wants to register in Saleor.
As we can read in the Transaction Events documentation, a Payment App needs HANDLE_PAYMENTS
permission to receive transaction webhooks:
import { createManifestHandler } from "@saleor/app-sdk/handlers/next";
import { AppManifest } from "@saleor/app-sdk/types";
export default createManifestHandler({
async manifestFactory({ appBaseUrl, request }) {
// ...
const manifest: AppManifest = {
name: "Dummy Payment App",
permissions: ["HANDLE_PAYMENTS"],
// ...
};
},
});
Once we have built our first webhook, we will also add it to the webhooks
array in the App Manifest.
Luckily, we won't need to provide webhook details manually. Saleor App SDK, a package included in the template, already provides helper classes for generating the webhooks: SaleorSyncWebhook
and SaleorAsyncWebhook
. Webhook instances created from these classes have the getWebhookManifest
method, which we can use to generate the webhook manifest.
Declaring SaleorSyncWebhook
Instance
It's time to start implementing a handler for our first webhook: TRANSACTION_INITIALIZE_SESSION
.
Let's create a new file in the src/pages/api/webhooks
directory, called transaction-initialize-session.ts
.
Then, initialize the SaleorSyncWebhook
(since TRANSACTION_INITIALIZE_SESSION
is a synchronous webhook) instance in that file:
// src/pages/api/webhooks/transaction-initialize-session.ts
import { SaleorAsyncWebhook } from "@saleor/app-sdk/handlers/next";
import { saleorApp } from "../../../saleor-app";
export const transactionInitializeSessionWebhook =
new SaleorSyncWebhook<unknown /* TODO: Add the payload type */>({
name: "Transaction Initialize Session",
webhookPath: "/api/webhooks/transaction-initialize-session",
event: "TRANSACTION_INITIALIZE_SESSION",
apl: saleorApp.apl,
query: "", // TODO: Add the subscription query
});
Here are the required constructor parameters of the SaleorSyncWebhook
class:
name
- The name of the webhook. It will be used during the webhook registration process.webhookPath
- The path to the webhook.event
- The synchronous webhook event that the handler will be listening to.apl
- The reference to the app's APL. Saleor App Template exports it fromsrc/saleor-app.ts
.query
- The query needed to generate the subscription webhook payload. It is currently empty because we still need to declare our subscription query.
Also, we have the unknown
generic attribute. It represents the type of webhook payload the app will receive. Since we don't have the subscription query yet, it is unknown
.
Defining the Subscription Query
With subscription webhook payloads, you can define the shape of the payload the webhook will receive. GraphQL Code Generator and the Saleor App SDK ensure the payload is correctly typed. We will fill the query
attribute with that subscription query.
Let's define a subscription query for the TRANSACTION_INITIALIZE_SESSION
handler:
In the Saleor App Template, we use urql to write GraphQL queries. If you prefer a different client, you still should be able to follow along.
import { gql } from "urql";
// 💡 We suggest keeping the payload in a fragment. It is easier to retrieve individual fields from the subscription this way.
const TransactionInitializeSessionPayload = gql`
fragment TransactionInitializeSessionPayload on TransactionInitializeSession {
action {
amount
currency
actionType
}
}
`;
const TransactionInitializeSessionSubscription = gql`
# Payload fragment must be included in the root query
${TransactionInitializeSessionPayload}
subscription TransactionInitializeSession {
event {
...TransactionInitializeSessionPayload
}
}
`;
Then, let's regenerate the types (the app initially generated them during the dependencies installation):
pnpm generate
When the command finishes, you should be able to import the type for the declared subscription query. With those two pieces, you can now update the SaleorSyncWebhook
instance:
import { SaleorSyncWebhook } from "@saleor/app-sdk/handlers/next";
import { saleorApp } from "../../../saleor-app";
import { TransactionInitializeSessionPayloadFragment } from "../../../../generated/graphql";
export const transactionInitializeSessionWebhook =
new SaleorSyncWebhook<TransactionInitializeSessionPayloadFragment /* 💾 Updated with the payload type */>(
{
name: "Transaction Initialize Session",
webhookPath: "/api/webhooks/transaction-initialize-session",
event: "TRANSACTION_INITIALIZE_SESSION",
apl: saleorApp.apl,
query: TransactionInitializeSessionSubscription, // 💾 Updated with the subscription query
}
);
data
Field
There is one more field we want to add to the TransactionInitializeSessionPayload
fragment: data
.
data
is a field you can use to pass custom information to the webhook. There are no requirements for the content of the data
field as long as it is a valid JSON object. You will notice the presence of the data
field across other payment-related webhooks.
We will use it to pass the token received from the drop-in.
In the Calling the transactionInitialize
Mutation section, we will provide the token as a part of the mutation input. In the app, we receive the token in the data
field of the payload.
const TransactionInitializeSessionPayload = gql`
fragment TransactionInitializeSessionPayload on TransactionInitializeSession {
action {
amount
currency
actionType
}
data
}
`;
Make sure to regenerate the types (by calling pnpm generate
) after adding the data
field to the payload fragment.
Updating the App Webhooks in the Manifest
Moving to populate the webhooks
array in the App Manifest with the transactionInitializeSessionWebhook
:
// src/pages/api/manifest.ts
import { createManifestHandler } from "@saleor/app-sdk/handlers/next";
import { AppManifest } from "@saleor/app-sdk/types";
import { transactionInitializeSessionWebhook } from "./webhooks/transaction-initialize-session"; // 👈 This is our webhook instance
export default createManifestHandler({
async manifestFactory({ appBaseUrl }) {
// ...
const manifest: AppManifest = {
name: "Dummy Payment App",
permissions: ["HANDLE_PAYMENTS"],
webhooks: [
transactionInitializeSessionWebhook.getWebhookManifest(appBaseUrl), // 👈 Call `getWebhookManifest`
],
// ...
};
},
});
Beware that modifying a subscription query for a registered webhook or adding a new webhook requires manual webhook update in Saleor API. The easiest way to do it is to reinstall the app. You can read more about this behavior in How to Update App Webhooks.
Creating the Webhook Handler
The handler is a function that will be called when the webhook is triggered. saleor-app-sdk
handler is a decorated Next.js API (pages) route handler.
Let's go back to the src/pages/api/webhooks/transaction-initialize-session.ts
file and extend it with the handler:
// src/pages/api/webhooks/transaction-initialize-session.ts
// ...
export default transactionInitializeSessionWebhook.createHandler(
(req, res, ctx) => {
const { payload, event, baseUrl, authData } = ctx;
// TODO: Implement the logic
return res.status(200).end();
}
);
As you can see, we are using the createHandler
method of the transactionInitializeSessionWebhook
instance. This method takes a handler function as an argument. The handler function receives three arguments: req
, res
, and ctx
.
While the first two are the standard Next.js request and response objects, the third one is the Saleor context. It contains the following properties:
payload
- Type-safe subscription webhook payload.event
- Name of the event that triggered the webhook.baseUrl
- The base URL of the app. If you need to register the app or a webhook in an external service, you can use this URL.authData
- The authentication data passed from Saleor to the app. Among other things, it contains thetoken
you can use to query Saleor API. We won't need it in this tutorial.
Since we are implementing the Dummy Payment Gateway, our handler logic will be basic. We will just log the payload and return the CHARGE_ACTION_REQUIRED
event status. The only thing we need to remember is that the webhook response must adhere to the webhook response format:
A real-world TRANSACTION_INITIALIZE_SESSION
webhook handler might:
- Retrieve some kind of token from the
payload.data
to identify the payment. - Transform the payload into a format expected by the payment provider.
- Call the payment provider API (to, for example, create a payment intent).
- Process the response from the payment provider and return it.
export default transactionInitializeSessionWebhook.createHandler(
(req, res, ctx) => {
const { payload, event, baseUrl, authData } = ctx;
console.log("Transaction Initialize Session payload:", payload);
// validatePayment(payload.data.token); // This function could validate the token
const randomPspReference = crypto.randomUUID(); // Generate a random PSP reference
return res.status(200).json({
result: "CHARGE_ACTION_REQUIRED",
amount: payload.action.amount, // `payload` is typed thanks to the generated types
pspReference: randomPspReference,
});
}
);
By returning the CHARGE_ACTION_REQUIRED
event status, we inform Saleor that the payment requires additional action. We will perform this action in the next webhook handler.
Besides the result
field, we also return the amount
and pspReference
fields. The amount
is the transaction amount, and the pspReference
is a unique identifier of the payment in the payment provider system. Since we are not integrating with an actual payment provider, we generate a random pspReference
.
The last thing we must add to the bottom of the handler is the config
object with bodyParser
set to false
. This is necessary for App-SDK to verify the Saleor webhook signature:
export const config = {
api: {
bodyParser: false,
},
};
Here is the full content of the transaction-initialize-session.ts
file:
import { SaleorSyncWebhook } from "@saleor/app-sdk/handlers/next";
import { saleorApp } from "../../../saleor-app";
import { TransactionInitializeSessionPayloadFragment } from "../../../../generated/graphql";
import { gql } from "urql";
const TransactionInitializeSessionPayload = gql`
fragment TransactionInitializeSessionPayload on TransactionInitializeSession {
action {
amount
currency
actionType
}
data
}
`;
const TransactionInitializeSessionSubscription = gql`
# Payload fragment must be included in the root query
${TransactionInitializeSessionPayload}
subscription TransactionInitializeSession {
event {
...TransactionInitializeSessionPayload
}
}
`;
export const transactionInitializeSessionWebhook =
new SaleorSyncWebhook<TransactionInitializeSessionPayloadFragment>({
name: "Transaction Initialize Session",
webhookPath: "/api/webhooks/transaction-initialize-session",
event: "TRANSACTION_INITIALIZE_SESSION",
apl: saleorApp.apl,
query: TransactionInitializeSessionSubscription,
});
export default transactionInitializeSessionWebhook.createHandler(
(req, res, ctx) => {
const { payload, event, baseUrl, authData } = ctx;
console.log("Transaction Initialize Session payload:", payload);
const randomPspReference = crypto.randomUUID();
return res.status(200).json({
result: "CHARGE_ACTION_REQUIRED",
amount: payload.action.amount,
pspReference: randomPspReference,
});
}
);
export const config = {
api: {
bodyParser: false,
},
};
Calling the transactionInitialize
Mutation
Assuming you installed the app in Saleor, we can finally try out our webhook handler. We can trigger the TRANSACTION_INITIALIZE_SESSION
event by calling the transactionInitialize
mutation from GraphQL Playground.
Here is what the mutation looks like:
mutation TransactionInitialize(
$checkoutId: ID!
$data: JSON!
$paymentGatewayId: String!
) {
transactionInitialize(
id: $checkoutId
paymentGateway: { id: $paymentGatewayId, data: $data }
) {
transaction {
id
}
transactionEvent {
id
type
}
errors {
field
message
code
}
}
}
The mutation requires checkoutId
, data
and paymentGatewayId
.
-
checkoutId
is the ID of the checkout we want to pay for. -
data
is that JSON object for additional information we mentioned earlier. In our case, it will contain the token received from the fictional drop-in. -
paymentGatewayId
is the ID of the payment gateway that we want to use. We can see what payment gateways are available for the checkout by requesting theavailablePaymentGateways
field on thecheckout
query:
query GetCheckout($id: ID!) {
checkout(id: $id) {
availablePaymentGateways {
id
name
}
}
}
If we installed the app correctly, we should see the "Dummy Payment Gateway" in the list of available payment gateways. The id
will be drawn from the App Manifest's id
field (in the App Template, the default id is saleor.app
).
With checkoutId
, data
and paymentGatewayId
, we can now call the transactionInitialize
mutation:
{
"checkoutId": "Q2hlY2tvdXQ6ZjVhMTkzMjUtMjY3My00MTU0LThjM2QtYjE1OThlYzVlZjc3",
"data": {
"token": "dummy-drop-in-token"
},
"paymentGatewayId": "saleor.app"
}
In the response, we should see the created transaction and the transaction event with the CHARGE_ACTION_REQUIRED
type:
{
"data": {
"transactionInitialize": {
"transaction": {
"id": "VHJhbnNhY3Rpb25JdGVtOjhiZDY0NTA2LTRlYWYtNGZmYS05ZmRjLTY1MTY5MTc3ZTg2MA=="
},
"transactionEvent": {
"id": "VHJhbnNhY3Rpb25FdmVudDo0MDkx",
"type": "CHARGE_ACTION_REQUIRED"
},
"errors": []
}
}
}
The app's console should also log the payload received from the webhook:
{
"action": {
"amount": 100,
"currency": "USD",
"actionType": "CHARGE"
},
"data": {
"token": "dummy-drop-in-token"
}
}
Implementing Transaction Process Session
Creating the Webhook Handler
The transactionProcess
mutation will only reach the app if the previous call to TRANSACTION_INITIALIZE_SESSION
returned either CHARGE_ACTION_REQUIRED
or AUTHORIZE_ACTION_REQUIRED
event status.
After our first webhook handler returns the CHARGE_ACTION_REQUIRED
status, we need to implement the TRANSACTION_PROCESS_SESSION
webhook handler to update the status to either CHARGE_SUCCESS
or CHARGE_FAILURE
.
We will start by repeating the steps from the previous section. Let's create a new file in the src/pages/api/webhooks
directory, called transaction-process-session.ts
.
Then, declare the subscription query for the TRANSACTION_PROCESS_SESSION
webhook:
import { TransactionProcessSessionPayloadFragment } from "../../../../generated/graphql"; // Import the generated payload type
import { gql } from "urql";
// 💡 Remember to regenerate the types after adding the new subscription query
const TransactionProcessSessionPayload = gql`
fragment TransactionProcessSessionPayload on TransactionProcessSession {
action {
amount
currency
actionType
}
}
`;
const TransactionProcessSessionSubscription = gql`
${TransactionProcessSessionPayload}
subscription TransactionProcessSession {
event {
...TransactionProcessSessionPayload
}
}
`;
And then, create the SaleorSyncWebhook
instance, as well as the webhook handler:
import { TransactionProcessSessionPayloadFragment } from "../../../../generated/graphql"; // Import the generated payload type
import { gql } from "urql";
import { SaleorSyncWebhook } from "@saleor/app-sdk/handlers/next";
import { saleorApp } from "../../../saleor-app";
// 💡 Remember to regenerate the types after adding the new subscription query
const TransactionProcessSessionPayload = gql`
fragment TransactionProcessSessionPayload on TransactionProcessSession {
action {
amount
currency
actionType
}
}
`;
const TransactionProcessSessionSubscription = gql`
${TransactionProcessSessionPayload}
subscription TransactionProcessSession {
event {
...TransactionProcessSessionPayload
}
}
`;
export const transactionProcessSessionWebhook =
new SaleorSyncWebhook<TransactionProcessSessionPayloadFragment>({
name: "Transaction Process Session",
webhookPath: "/api/webhooks/transaction-process-session",
event: "TRANSACTION_PROCESS_SESSION",
apl: saleorApp.apl,
query: TransactionProcessSessionSubscription,
});
export default transactionProcessSessionWebhook.createHandler(
(req, res, ctx) => {
const { payload, event, baseUrl, authData } = ctx;
console.log("Transaction Process Session payload:", payload);
return res.status(200).json({
result: "CHARGE_SUCCESS",
amount: payload.action.amount,
pspReference: crypto.randomUUID(),
});
}
);
export const config = {
api: {
bodyParser: false,
},
};
Once again, our handler is simple. We only log the payload and return the CHARGE_SUCCESS
event status, no questions asked.
A real-world TRANSACTION_PROCESS_SESSION
webhook handler might:
- Call the payment provider API to confirm the payment status.
- Return either
CHARGE_SUCCESS
,CHARGE_FAILURE
orCHARGE_ACTION_REQUIRED
(if there are multiple checks required).
Error Handling
If the handler performs a logic that could fail, we should try to catch the error and, in that case, return the CHARGE_FAILURE
event status:
export default transactionProcessSessionWebhook.createHandler(
(req, res, ctx) => {
const { payload, event, baseUrl, authData } = ctx;
console.log("Transaction Process Session payload:", payload);
try {
doSomethingThatCanFail(); // This function can throw an error
return res.status(200).json({
result: "CHARGE_SUCCESS",
amount: payload.action.amount,
pspReference: crypto.randomUUID(),
});
} catch (error) {
return res.status(200).json({
result: "CHARGE_FAILURE",
amount: payload.action.amount,
pspReference: crypto.randomUUID(),
});
}
}
);
Updating the App Manifest
The last step is to update the App Manifest with the new webhook:
// src/pages/api/manifest.ts
import { createManifestHandler } from "@saleor/app-sdk/handlers/next";
import { AppManifest } from "@saleor/app-sdk/types";
import { transactionInitializeSessionWebhook } from "./webhooks/transaction-initialize-session";
import { transactionProcessSessionWebhook } from "./webhooks/transaction-process-session";
export default createManifestHandler({
async manifestFactory({ appBaseUrl }) {
// ...
const manifest: AppManifest = {
name: "Dummy Payment App",
webhooks: [
transactionInitializeSessionWebhook.getWebhookManifest(appBaseUrl),
transactionProcessSessionWebhook.getWebhookManifest(appBaseUrl),
],
// ...
};
},
});
Once again, remember to update the app's webhooks or reinstall the app in Saleor. Otherwise, the new webhook handler won't be called on transactionProcess
.
When installing the app back, you may get "App with the same identifier is already installed" error.
Saleor throws this error because the process of fully uninstalling the app is handled by an asynchronous Saleor worker. This means it can take some time before you can install the app with the same identifier again.
If you encounter this error, you can temporarily change the app's id
in the App Manifest.
Calling the transactionProcess
Mutation
To test the TRANSACTION_PROCESS_SESSION
webhook, we need to call the transactionProcess
mutation. The mutation requires the transactionId
variable, which is the ID of the transaction we want to process. That will be the id
field from the transaction
object returned by the transactionInitialize
mutation.
Here is what the mutation looks like:
mutation TransactionProcess($transactionId: ID!) {
transactionProcess(id: $transactionId) {
transaction {
id
}
transactionEvent {
id
type
}
errors {
field
message
code
}
}
}
In response, we should receive the processed transaction and the corresponding transaction event with the CHARGE_SUCCESS
type:
{
"data": {
"transactionProcess": {
"transaction": {
"id": "UHJvamVjdFRy"
},
"transactionEvent": {
"id": "VHJhbnNhY3Rpb25FdmVudDoz",
"type": "CHARGE_SUCCESS"
},
"errors": []
}
}
}
And that concludes the implementation of the Dummy Payment Gateway. With just two webhooks, we managed to model a 3D Secure payment flow.
For most checkouts, placing payment will be the last step. That means you could now complete the checkout and place the order 🎉.
Next steps
Congratulations on building your first Saleor Payment App!
Its scope doesn't have to end here. You can further extend the app with additional features:
- If your payment provider requires additional operation before the payment is even initialized (for example, to render the drop-in), you might be interested in reading about the
PAYMENT_GATEWAY_INITIALIZE_SESSION
webhook. - To allow users to save their payment methods for future use, you should implement the Stored Payment Methods API.
- If your payment provider needs to report the transaction status to Saleor asynchronously, you can use the
transactionEventReport
mutation.