DEV Community

Cover image for Web Native Payment API with SvelteKit
Shivam Meena
Shivam Meena

Posted on • Updated on

Web Native Payment API with SvelteKit

Read If:

  • You are interested in payment integration in SvelteKit

Resources

Introduction
This article is going to about how to do an hassle free payment integration to our project because we all know when we use all those 3rd party payment integration how much pain they are to handle and we might sometime don't like it to add it but don't have any options. That's where web native payment api comes in you just have to least things to handle that payment and here I'm gonna show you an example of doing that in SvelteKit and it's example from google payment sample.

Here, we simply gonna use our use action of svelte to make it more easy for us.
As always first we gonna setup our SvelteKit Project. If you wanna learn how to then just click here.

After project setup please follow these setup.

Setting initiate of the payment

So here we just need to add a button which gonna use our use action and going to call the Javascript code that we going to add in our lib/pay.js file.

// index.svelte
<script>
    import { payTest } from '../lib/pay.js';
</script>

<div><button id="buyButton" use:payTest>Buy</button></div>
<div><pre id="result" /></div>
Enter fullscreen mode Exit fullscreen mode

As you can se I'm using use action to do my things here.

Now we will create a file in lib folder by the name pay.js. Now we gonna add few lines of code will do our hassling work.

/**
 * Builds PaymentRequest that also gathers user's shipping address, but does not
 * show any UI yet.
 *
 * @return {PaymentRequest} The PaymentRequest object.
 */
function initPaymentRequest() {
  let supportedInstruments = [{
    supportedMethods: 'https://bobbucks.dev/pay',
  }];

  let details = {
    total: {label: 'Donation', amount: {currency: 'USD', value: '55.00'}},
    displayItems: [
      {
        label: 'Original donation amount',
        amount: {currency: 'USD', value: '65.00'},
      },
      {
        label: 'Friends and family discount',
        amount: {currency: 'USD', value: '-10.00'},
      },
      {
        label: 'Free shipping worldwide',
        amount: {currency: 'USD', value: '0.00'},
      },
    ],
    shippingOptions: [{
      id: 'freeWorldwideShipping',
      label: 'Free shipping worldwide',
      amount: {currency: 'USD', value: '0.00'},
      selected: true,
    }],
  };

  let options = {requestShipping: true};

  let request = new PaymentRequest(supportedInstruments, details, options);

  request.addEventListener('shippingaddresschange', function(evt) {
    evt.updateWith(Promise.resolve(details));
  });

  return request;
}

/**
 * Invokes PaymentRequest that also gathers user's shipping address.
 *
 * @param {PaymentRequest} request The PaymentRequest object.
 */
function onBuyClicked(request) {
  request.show().then(function(instrumentResponse) {
    sendPaymentToServer(instrumentResponse);
  })
  .catch(function(err) {
    ChromeSamples.setStatus(err);
  });
}

/**
 * Simulates processing the payment data on the server.
 *
 * @private
 * @param {PaymentResponse} instrumentResponse The payment information to
 * process.
 */
function sendPaymentToServer(instrumentResponse) {
  // There's no server-side component of these samples. No transactions are
  // processed and no money exchanged hands. Instantaneous transactions are not
  // realistic. Add a 2 second delay to make it seem more real.
  window.setTimeout(function() {
    instrumentResponse.complete('success')
        .then(function() {
          document.getElementById('result').innerHTML =
              instrumentToJsonString(instrumentResponse);
        })
        .catch(function(err) {
          ChromeSamples.setStatus(err);
        });
  }, 2000);
}

/**
 * Converts the payment instrument into a JSON string.
 *
 * @private
 * @param {PaymentResponse} instrument The instrument to convert.
 * @return {string} The JSON string representation of the instrument.
 */
function instrumentToJsonString(instrument) {
  let details = instrument.details;

  return JSON.stringify({
    methodName: instrument.methodName,
    details: details,
    shippingAddress: addressToDictionary(instrument.shippingAddress),
    shippingOption: instrument.shippingOption,
  }, undefined, 2);
}

/**
 * Converts the shipping address into a dictionary.
 *
 * @private
 * @param {PaymentAddress} address The address to convert.
 * @return {object} The dictionary representation of the shipping address.
 */
function addressToDictionary(address) {
  if (address.toJSON) {
    return address.toJSON();
  }

  return {
    recipient: address.recipient,
    organization: address.organization,
    addressLine: address.addressLine,
    dependentLocality: address.dependentLocality,
    city: address.city,
    region: address.region,
    postalCode: address.postalCode,
    sortingCode: address.sortingCode,
    country: address.country,
    languageCode: address.languageCode,
    phone: address.phone,
  };
}

const payButton = document.getElementById('buyButton');
payButton.setAttribute('style', 'display: none;');
if (window.PaymentRequest) {
  let request = initPaymentRequest();
  payButton.setAttribute('style', 'display: inline;');
  payButton.addEventListener('click', function() {
    onBuyClicked(request);
    request = initPaymentRequest();
  });
} else {
  ChromeSamples.setStatus('This browser does not support web payments');
}
Enter fullscreen mode Exit fullscreen mode
  • Here first we are assign getting and assigning the button that will be clicked and our payment flow will init.

  • initPaymentRequest function returns some values which will of Payment request type.

new PaymentRequest(supportedInstruments, details, options);
Enter fullscreen mode Exit fullscreen mode
  1. supportedInstruments are the payment methods that you support and details are the data about your payment and options are optional where you can describe your requirements to payment api to show shipping field or not.

  2. After that Web Native Payment will handle the all for you on the basis of provided data and options and will return all the response in the end.

That's all we have to do. This was the example from google payments example and there is something that will make your life more easy which is using google-pay-button. You can check it out in provided resources.

This is me writing for you. If you wanna ask or suggest anything please put it in comment.

Top comments (0)