Skip to main content

GoPay's Python SDK for Payments REST API

Project description

GoPay's Python SDK for Payments REST API

Build Status

Requirements

Installation

The simplest way to install SDK is to use PIP:

pip install gopay

Basic usage

import gopay
from gopay.enums import TokenScope, Language

# minimal configuration
payments = gopay.payments({
    "goid": "{{YOUR-GOID}}",
    "client_id": "{{YOUR-CLIENT-ID}}",
    "client_secret": "{{YOUR-CLIENT-SECRET}}",
    "gateway_url": 'https://gw.sandbox.gopay.com/api'
})

# full configuration
payments = gopay.payments({
    "goid": "{{YOUR-GOID}}",
    "client_id": "{{YOUR-CLIENT-ID}}",
    "client_secret": "{{YOUR-CLIENT-SECRET}}",
    "gateway_url": 'https://gw.sandbox.gopay.com/api'
    "scope": TokenScope.ALL,
    "language": Language.CZECH
})

# Sandbox URL: https://gw.sandbox.gopay.com/api
# Production URL: https://gate.gopay.cz/api

Configuration

Required fields

Required field Data type Documentation
goid string GoID assigned by GoPay (production or sandbox)
client_id string Client ID assigned by GoPay (production or sandbox)
client_secret string Client Secret assigned by GoPay (production or sandbox)
gateway_url string URL of the environment - production or sandbox (see Docs)

Optional fields

Optional field Data type Default value Documentation
scope string gopay.enums.TokenScope.ALL https://doc.gopay.com/#access-token
language string gopay.enums.Language.ENGLISH default language to use + localization of errors

Available methods

API SDK method
Create a payment payments.create_payment(payment: dict)
Get status of a payment payments.get_status(payment_id: str | int)
Refund a payment payments.refund_payment(payment_id: int | str, amount: int)
Create a recurring payment payments.create_recurrence(payment_id: int | str, payment: dict)
Cancel a recurring payment payments.void_recurrence(payment_id: int | str)
Capture a preauthorized payment payments.capture_authorization(payment_id: int | str)
Capture a preauthorized payment partially payments.capture_authorization_partial(payment_id: int | str, payment: dict)
Void a preauthorized payment payments.void_authorization(payment_id: int | str)
Get payment card details payments.get_card_details(card_id: int | str)
Delete a saved card payments.delete_card(card_id: int | str)
Get allowed payment methods for a currency payments.get_payment_instruments(goid: int | str, currency: gopay.enums.Currency)
Get all allowed payment methods payments.get_payment_instruments_all(goid: int | str)
Generate an account statement payments.get_account_statement(statement_request: dict)

SDK response? Has my call succeed?

SDK returns wrapped API response. Every method returns gopay.http.Response object. Structure of the json should be same as in documentation. SDK throws no exception. Please create an issue if you catch one.

response = payments.create_payment(...)
if response.success:
    print(f"Hooray, API returned {response}")
    return response.json["gw_url"] # url for initiation of gateway
else:
    # errors format: https://doc.gopay.com#HTTP-result-codes
    print(f"Oops, API returned  {response.status_code}: {response}")
Property/Method Description
response.success Checks if API call was successful
response.json decoded response, returned objects are converted into a dictionary if possiblem
response.status_code HTTP status code
response.raw_body raw bytes of the reponse content

Are required fields and allowed values validated?

Not yet. API validates fields pretty extensively so there is no need to duplicate validation in SDK. That's why SDK just calls API which behavior is well documented in doc.gopay.com. In the future, we might use Pydantic for parsing and validation.


Advanced usage

Initiation of the payment gateway

# create payment and pass url to template (e.g. Flask, Django)
response = payments.create_payment(...)
if response.has_succeed():
    context = {
        'gateway_url': response.json['gw_url'],
        'embedjs_url': payments.get_embedjs_url
    }
    # render template

Inline gateway

<form action="{{ gateway_url }}" method="post" id="gopay-payment-button">
  <button name="pay" type="submit">Pay</button>
  <script type="text/javascript" src="{{ embedjs_url }}"></script>
</form>

Redirect gateway

<form action="{{ gateway_url }}" method="post">
  <button name="pay" type="submit">Pay</button>
</form>

Asynchronous initialization using JavaScript

Enums

Instead of hardcoding bank codes string you can use predefined enums. Check using enums in create-payment example

Type Description
Language Payment language, localization of error messages
Token scope Authorization scope for OAuth2
Payment enums Enums for creating payment
Response enums Result of creating payment, executing payment operations

Cache access token

Access token expires after 30 minutes it's expensive to use new token for every request. By default, tokens are stored in memory gopay.services.DefaultCache so they are reused as long as the object exists. But you can implement your cache and store tokens in Memcache, Redis, files, ... It's up to you.

Your cache should inherit from gopay.services.AbstractCache and implement its methods get_token and set_token. Be aware that there are two scopes (TokenScope) and SDK can be used for different clients (client_id, gateway_url). So key passed to methods is unique identifier (str) that is built for current environment. Below you can see example implementation of caching tokens in memory:

from gopay.services import AbstractCache
from gopay.http import AccessToken

class MyCache(AbstractCache):
    def __init__(self):
        self.tokens: dict[str, AccessToken] = {}

    def get_token(self, key: str) -> AccessToken | None:
        return self.tokens.get(key) # return None if token doesn't exist

    def set_token(self, key: str, token: AccessToken) -> None:
        self.tokens[key] = token

# register cache in optional service configuration
payments = gopay.payments(
    {...}, # your config
    {"cache": MyCache()}
)

Log HTTP communication

You can log every request and response from communication with API. Check available loggers below. Or you can implement your own logger, just implement function that matches the following signature:

def logger(gopay.http.Request, gopay.http.Response) -> Any: ...
# or
Callable[[gopay.http.Response, gopay.http.Request], Any]

For example:

from gopay.http import Request, Response

def my_logger(request: Request, response: Response) -> None:
    print(vars(request))
    print(vars(response))

# register logger in optional service configuration
payments = gopay.payments(
    {...}, # your config
    {"logger": my_logger}
)

The default logger uses logging.debug to log the responses and requests.

Contributing

Contributions from others would be very much appreciated! Send pull request/ issue. Thanks!

License

Copyright (c) 2023 GoPay.com. MIT Licensed, see LICENSE for details.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

gopay-2.2.6.tar.gz (14.2 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

gopay-2.2.6-py3-none-any.whl (13.4 kB view details)

Uploaded Python 3

File details

Details for the file gopay-2.2.6.tar.gz.

File metadata

  • Download URL: gopay-2.2.6.tar.gz
  • Upload date:
  • Size: 14.2 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: poetry/1.8.3 CPython/3.10.12 Linux/6.8.0-85-generic

File hashes

Hashes for gopay-2.2.6.tar.gz
Algorithm Hash digest
SHA256 552f71ec0e7bca9dcbd2b99749e127c1f492cba06828ad12a26a64e1a8e6a188
MD5 8234a479f9bb30ed3823a0bbe04d6bc0
BLAKE2b-256 87b710a3f74596e978ad858d7c489fb59cf528e67d59aa0d265267af48ef6b4c

See more details on using hashes here.

File details

Details for the file gopay-2.2.6-py3-none-any.whl.

File metadata

  • Download URL: gopay-2.2.6-py3-none-any.whl
  • Upload date:
  • Size: 13.4 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: poetry/1.8.3 CPython/3.10.12 Linux/6.8.0-85-generic

File hashes

Hashes for gopay-2.2.6-py3-none-any.whl
Algorithm Hash digest
SHA256 ef3d3d4e17bd16b04c02d0c2c754666b5a190373e588f14ef14fb08af8bde8d7
MD5 284998ab9180b0e8c89911fec0d40f82
BLAKE2b-256 e9457569e7e839fc37e0489eb58e5775a92f71b8880a42e8dae569387a4008fa

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page