Stripe payment integration for Salesman.
Install the package using pip:
pip install django-salesman-stripe
Add to your setting file:
INSTALLED_APPS += ['salesman_stripe']
SALESMAN_PAYMENT_METHODS = ['salesman_stripe.payment.StripePayment']
SALESMAN_STRIPE_SECRET_KEY = '<stripe-secret-key>'
SALESMAN_STRIPE_WEBHOOK_SECRET = '<stripe-webhook-secret>'
To simulate webhooks while in development you can use the Stripe CLI. After you've installed the CLI, you can run:
stripe listen --forward-to localhost:8000/api/payment/stripe/webhook/
This will connect the webhook and output the signing secret for SALESMAN_STRIPE_WEBHOOK_SECRET
setting.
Optional additional settings that you can override:
# Payment method label used when displayed in the basket.
SALESMAN_STRIPE_PAYMENT_LABEL = 'Pay with Stripe'
# Default ISO currency used for payments (https://stripe.com/docs/currencies)
SALESMAN_STRIPE_DEFAULT_CURRENCY = 'usd'
# URL to redirect to when Stripe payment is cancelled.
SALESMAN_STRIPE_CANCEL_URL = '/stripe/cancel/'
# URL to redirect to when Stripe payment is successfull.
SALESMAN_STRIPE_SUCCESS_URL = '/stripe/success/'
# Default paid status for fullfiled orders.
SALESMAN_STRIPE_PAID_STATUS = 'PROCESSING'
It is recommended to enable Stripe customer syncronization with your User model. This will require an extra field on your User model which will hold the Stripe customer ID. Easiest way to do this is to define a custom user model:
# shop/models.py
from salesman_stripe.models import StripeCustomerMixin
class User(StripeCustomerMixin, AbstractUser):
pass
You should then register your custom user model in settings.py
:
AUTH_USER_MODEL = 'shop.User'
An alternative approach would be to override the get_stripe_customer_id
and save_stripe_customer_id
methods in a custom StripePayment
class, see more in advanced usage section below.
To gain more control feel free to extend the StripePayment
class with your custom functionality:
# shop/payment.py
from salesman_stripe.payment import StripePayment
from salesman_stripe.conf import app_settings
class MyStripePayment(StripePayment):
def get_stripe_customer_data(self, obj, request):
# https://stripe.com/docs/api/customers/create
data = super().get_stripe_customer_data(obj, request)
if obj.user and obj.user.phone_number:
data['phone'] = obj.user.phone_number
return data
def get_currency(self, request):
currency = request.GET.get('currency', None)
# Check currency is valid for Stripe...
return currency or app_settings.SALESMAN_STRIPE_DEFAULT_CURRENCY
Make sure to use your payment method in settings.py
:
SALESMAN_PAYMENT_METHODS = ['shop.payment.MyStripePayment']
The StripePayment
class is setup with extending in mind, feel free to explore other methods.