Using the Payment Request API
ThePayment Request API provides a browser-based method of connecting users and their preferred payment systems and platforms to merchants that they want to pay for goods and services. This article is a guide to making use of thePayment Request API, with examples and suggested best practices.
The basics of making a payment
This section details the basics of using the Payment Request API to make a payment.
Note:The code snippets from this section are from ourFeature detect support demo.
Creating a new payment request object
A payment request always starts with the creation of a newPaymentRequest
object — using thePaymentRequest()
constructor. This takes two mandatory parameters and one option parameter:
methodData
— an object containing information concerning the payment provider, such as what payment methods are supported, etc.details
— an object containing information concerning the specific payment, such as the total payment amount, tax, shipping cost, etc.options
(optional) — an object containing additional options related to the payment.
So for example, you could create a newPaymentRequest
instance like so:
const request = new PaymentRequest( buildSupportedPaymentMethodData(), buildShoppingCartDetails(),);
The functions invoked inside the constructor return the required object parameters:
function buildSupportedPaymentMethodData() { // Example supported payment methods: return [{ supportedMethods: "https://example.com/pay" }];}function buildShoppingCartDetails() { // Hardcoded for demo purposes: return { id: "order-123", displayItems: [ { label: "Example item", amount: { currency: "USD", value: "1.00" }, }, ], total: { label: "Total", amount: { currency: "USD", value: "1.00" }, }, };}
Starting the payment process
Once thePaymentRequest
object has been created, you call thePaymentRequest.show()
method on it to initiate the payment request. This returns a promise that fulfills with aPaymentResponse
object if the payment is successful:
request.show().then((paymentResponse) => { // Here we would process the payment. For this demo, simulate immediate success: paymentResponse.complete("success").then(() => { // For demo purposes: introPanel.style.display = "none"; successPanel.style.display = "block"; });});
This object provides the developer with access to details they can use to complete the logical steps required after the payment completes, such as an email address to contact the customer, a shipping address for mailing goods out to them, etc. In the code above, you'll see that we've called thePaymentResponse.complete()
method to signal that the interaction has finished — you'd use this to carry out finishing steps, like updating the user interface to tell the user the transaction is complete, etc.
Other useful payment request methods
There are some other useful payment request methods worth knowing about.
PaymentRequest.canMakePayment()
can be used to check whether thePaymentRequest
object is capable of making a payment before you start the payment process. It returns a promise that fulfills with a boolean indicating whether it is or not, for example:
// Dummy payment request to check whether payment can be madenew PaymentRequest(buildSupportedPaymentMethodData(), { total: { label: "Stub", amount: { currency: "USD", value: "0.01" } },}) .canMakePayment() .then((result) => { if (result) { // Real payment request const request = new PaymentRequest( buildSupportedPaymentMethodData(), checkoutObject, ); request.show().then((paymentResponse) => { // Here we would process the payment. paymentResponse.complete("success").then(() => { // Finish handling payment }); }); } });
PaymentRequest.abort()
can be used to abort the payment request if required.
Detecting availability of the Payment Request API
You can effectively detect support for the Payment Request API by checking if the user's browser supportsPaymentRequest
, i.e.,if (window.PaymentRequest)
.
In the following snippet, a merchant page performs this check, and if it returnstrue
updates the checkout button to usePaymentRequest
instead of legacy web forms.
const checkoutButton = document.getElementById("checkout-button");if (window.PaymentRequest) { let request = new PaymentRequest( buildSupportedPaymentMethodNames(), buildShoppingCartDetails(), ); checkoutButton.addEventListener("click", () => { request .show() .then((paymentResponse) => { // Handle successful payment }) .catch((error) => { // Handle cancelled or failed payment. For example, redirect to // the legacy web form checkout: window.location.href = "/legacy-web-form-checkout"; }); // Every click on the checkout button should use a new instance of // PaymentRequest object, because PaymentRequest.show() can be // called only once per instance. request = new PaymentRequest( buildSupportedPaymentMethodNames(), buildShoppingCartDetails(), ); });}
Note:See ourFeature detect support demo for the full code.
Checking whether users can make payments
Checking whether users can make payments is always useful. Here's a couple of related techniques.
Customizing the payment button
One useful technique to employ is customizing the payment request button depending on whether users can make payments.
In the following snippet we do just this — depending on whether the user can make a fast payment or needs to add payment credentials first, the title of the checkout button changes between "Fast Checkout with W3C" and "Setup W3C Checkout". In both cases, the checkout button callsPaymentRequest.show()
.
const checkoutButton = document.getElementById("checkout-button");checkoutButton.innerText = "Loading…";if (window.PaymentRequest) { const request = new PaymentRequest( buildSupportedPaymentMethodNames(), buildShoppingCartDetails(), ); request .canMakePayment() .then((canMakeAFastPayment) => { checkoutButton.textContent = canMakeAFastPayment ? "Fast Checkout with W3C" : "Setup W3C Checkout"; }) .catch((error) => { // The user may have turned off the querying functionality in their // privacy settings. The website does not know whether they can make // a fast payment, so pick a generic title. checkoutButton.textContent = "Checkout with W3C"; });}
Note:See ourCustomizing the payment button demo for the full code.
Checking before all prices are known
If the checkout flow needs to know whetherPaymentRequest.canMakePayment()
will returntrue
even before all line items and their prices are known, you can instantiatePaymentRequest
with dummy data and pre-query.canMakePayment()
. If you call.canMakePayment()
multiple times, keep in mind that the first parameter to thePaymentRequest
constructor should contain the same method names and data.
// The page has loaded. Should the page use PaymentRequest?// If PaymentRequest fails, should the page fallback to manual// web form checkout?const supportedPaymentMethods = [ /* supported methods */];let shouldCallPaymentRequest = true;let fallbackToLegacyOnPaymentRequestFailure = false;new PaymentRequest(supportedPaymentMethods, { total: { label: "Stub", amount: { currency: "USD", value: "0.01" } },}) .canMakePayment() .then((result) => { shouldCallPaymentRequest = result; }) .catch((error) => { console.error(error); // The user may have turned off query ability in their privacy settings. // Let's use PaymentRequest by default and fallback to legacy // web form based checkout. shouldCallPaymentRequest = true; fallbackToLegacyOnPaymentRequestFailure = true; });// User has clicked on the checkout button. We know// what's in the cart, but we don't have a `Checkout` object.function onCheckoutButtonClicked(lineItems) { callServerToRetrieveCheckoutDetails(lineItems);}// The server has constructed the `Checkout` object. Now we know// all of the prices and shipping options.function onServerCheckoutDetailsRetrieved(checkoutObject) { if (shouldCallPaymentRequest) { const request = new PaymentRequest(supportedPaymentMethods, checkoutObject); request .show() .then((paymentResponse) => { // Post the results to the server and call `paymentResponse.complete()`. }) .catch((error) => { console.error(error); if (fallbackToLegacyOnPaymentRequestFailure) { window.location.href = "/legacy-web-form-checkout"; } else { showCheckoutErrorToUser(); } }); } else { window.location.href = "/legacy-web-form-checkout"; }}
Note:See ourChecking user can make payments before prices are known demo for the full code.
Recommending a payment app when user has no apps
If you select to pay with the BobPay demo payment provider on this merchant page, it tries to callPaymentRequest.show()
, while intercepting theNotSupportedError
DOMException
. If this payment method is not supported, it redirects to the signup page for BobPay.
The code looks something like this:
checkoutButton.addEventListener("click", () => { const request = new PaymentRequest( buildSupportedPaymentMethodData(), buildShoppingCartDetails(), ); request .show() .then((paymentResponse) => { // Here we would process the payment. For this demo, simulate immediate success: paymentResponse.complete("success").then(() => { // For demo purposes: introPanel.style.display = "none"; successPanel.style.display = "block"; }); }) .catch((error) => { if (error.name === "NotSupportedError") { window.location.href = "https://bobpay.xyz/#download"; } else { // Other kinds of errors; cancelled or failed payment. For demo purposes: introPanel.style.display = "none"; legacyPanel.style.display = "block"; } });});
Note:See ourRecommending a payment app when user has no apps demo for the full code.
Showing additional user interface after successful payments
If the merchant desires to collect additional information not part of the API (e.g., additional delivery instructions), the merchant can show a page with additional<input type="text">
fields after the checkout.
request .show() .then((paymentResponse) => paymentResponse.complete("success")) .then(() => { // Process payment here. // Close the UI: // Request additional shipping address details. const additionalDetailsContainer = document.getElementById( "additional-details-container", ); additionalDetailsContainer.style.display = "block"; window.scrollTo(additionalDetailsContainer.getBoundingClientRect().x, 0); }) .catch((error) => { // Handle error. });
Note:See ourShow additional user interface after successful payment demo for the full code.
Pre-authorizing transactions
Some use cases (e.g., paying for fuel at a service station) involve pre-authorizing payment. One way to do this is through a Payment Handler (see thePayment Handler API). At the time of writing, that specification includes acanmakepayment
event that a Payment Handler could make use of to return authorization status.
The merchant code would look like this:
const paymentRequest = new PaymentRequest( [{ supportedMethods: "https://example.com/preauth" }], details,);// Send `CanMakePayment` event to the payment handler.paymentRequest .canMakePayment() .then((res) => { if (res) { // The payment handler has pre-authorized a transaction // with some static amount, e.g., USD $1.00. } else { // Pre-authorization failed or payment handler not installed. } }) .catch((err) => { // Unexpected error occurred. });
The payment handler would include the following code:
self.addEventListener("canmakepayment", (evt) => { // Pre-authorize here. const preAuthSuccess = true; evt.respondWith(preAuthSuccess);});
This payment handler would need to live in a service worker athttps://example.com/preauth
scope.
Note:See ourPre-authorizing transactions demo for the full code.