Dalam bahagian pertama siri ini, kami mencipta kedai dalam talian Django dengan htmx.
Dalam bahagian kedua ini, kami akan mengendalikan pesanan menggunakan Stripe.
Kami akan menyepadukan Stripe untuk mengendalikan pembayaran dengan selamat. Inilah yang kami mahu capai:
Kami mula-mula perlu melompat ke Stripe dan melakukan perkara berikut:
Mulakan dengan membuat akaun Stripe. Buat masa ini, anda tidak perlu mengaktifkan akaun anda. Anda hanya boleh bekerja dalam mod ujian, yang akan menghalang anda daripada membuat pembayaran sebenar semasa menguji. Pergi ke halaman kunci API dan dapatkan semula kunci yang boleh diterbitkan dan rahsia. Simpannya dalam pembolehubah persekitaran projek anda (STRIPE_PUBLISHABLE_KEY dan STRIPE_SECRET_KEY). Kami akan menggunakan kekunci ini untuk mengesahkan permintaan Stripe anda.
Buat produk baharu pada halaman produk. Isikan butiran dan tetapkan jenis pembayaran kepada sekali sahaja. Produk anda sepatutnya kelihatan seperti ini:
Sebaik sahaja anda menekan Tambah produk, anda sepatutnya dapat melihat produk anda pada senarai produk. Jika anda mengklik padanya dan tatal ke bawah ke bahagian Harga, anda boleh menemui ID API untuk item harga yang anda buat — ia sepatutnya seperti price_3ODP5…. Simpannya dalam pembolehubah persekitaran (STRIPE_PRICE_ID): anda memerlukan ini semasa membuat sesi pembayaran Stripe.
Kami perlu membuat titik akhir webhook untuk dihubungi oleh Stripe apabila pembayaran selesai. Dalam halaman webhooks, pilih untuk menguji dalam persekitaran setempat. Ini akan membolehkan anda memajukan permintaan ke URL tempatan, seperti http://127.0.0.1:8000. Mulakan dengan memuat turun Stripe CLI. Kemudian, anda boleh:
stripe login
stripe listen --forward-to http://127.0.0.1:8000/webhook > Ready! Your webhook signing secret is whsec_06531a7ba22363ac038f284ac547906b89e5c939f8d55dfd03a3619f9adc590a (^C to quit)
Ini memastikan bahawa setelah pembelian dibuat, Stripe memajukan panggilan webhook ke titik akhir setempat anda. Perintah itu akan log rahsia menandatangani webhook, yang anda juga harus simpan sebagai pembolehubah persekitaran projek (STRIPE_WEBHOOK_SECRET). Ini terbukti berguna untuk mengesahkan bahawa permintaan memang datang daripada Stripe dan bahawa anda mengendalikan webhook yang betul.
Pada penghujung bahagian ini, anda sepatutnya mempunyai empat pembolehubah persekitaran Stripe. Anda kini boleh memuatkannya dalam ecommerce_site/settings.py:
# ecommerce_site/settings.py import os from dotenv import load_dotenv load_dotenv() STRIPE_PUBLISHABLE_KEY = os.environ.get("STRIPE_PUBLISHABLE_KEY") STRIPE_SECRET_KEY = os.environ.get("STRIPE_SECRET_KEY") STRIPE_PRICE_ID = os.environ.get("STRIPE_PRICE_ID") STRIPE_WEBHOOK_SECRET = os.environ.get("STRIPE_WEBHOOK_SECRET")
Nota: Kami menggunakan python-dotenv untuk memuatkan pembolehubah persekitaran.
Kini kami perlu meluaskan pandangan untuk menyepadukan Stripe dengan membuat sesi pembayaran, paparan pembelian yang berjaya dan paparan webhook.
Dalam paparan pembelian, kami akan membuat sesi pembayaran Stripe jika borang pembelian adalah sah:
# ecommerce/views.py from django_htmx import HttpResponseClientRedirect from django.conf import settings import stripe @require_POST def purchase(request): form = OrderForm(request.POST) if form.is_valid(): quantity = form.cleaned_data["quantity"] # replace time.sleep(2) with the following code ⬇️ # 1 - set stripe api key stripe.api_key = settings.STRIPE_SECRET_KEY # 2 - create success url success_url = ( request.build_absolute_uri( reverse("purchase_success") ) + "?session_id={CHECKOUT_SESSION_ID}" ) # 3 - create cancel url cancel_url = request.build_absolute_uri(reverse("home")) # 4 - create checkout session checkout_session = stripe.checkout.Session.create( line_items=[ { "price": settings.STRIPE_PRICE_ID, "quantity": quantity, } ], mode="payment", success_url=success_url, cancel_url=cancel_url ) # 5 - redirect to checkout session url return HttpResponseClientRedirect(checkout_session.url) return render(request, "product.html", {"form": form})
Mari pecahkan perkara ini:
After completing the purchase, Stripe will redirect the customer to our specified success_url. Here, we can handle the post-purchase logic:
from django.shortcuts import redirect def purchase_success(request): session_id = request.GET.get("session_id") if session_id is None: return redirect("home") stripe.api_key = settings.STRIPE_SECRET_KEY try: stripe.checkout.Session.retrieve(session_id) except stripe.error.InvalidRequestError: messages.error(request, "There was a problem while buying your product. Please try again.") return redirect("home") return render(request, "purchase_success.html")
In this view, we first check if the session_id query parameter is present. If it is, we retrieve the corresponding session from Stripe using the secret key and the session_id. We then render the successful purchase template, which looks like this:
# ecommerce/templates/purchase_success.html {% extends "base.html" %} {% block content %} <section> <header> <h2>Thank you for your purchase</h2> <p> Your purchase was successful. You will receive an email with the details of your purchase soon. </p> </header> </section> {% endblock %}
You should also add it to the urlpatterns:
# ecommerce_site/urls.py # ... same imports as before urlpatterns = [ # ... same urls as before path("purchase_success", views.purchase_success, name="purchase_success"), # ⬅️ new ]
While the customer is in the purchase process, and before they are redirected to the success view, Stripe will call our webhook endpoint (remember to have the webhook listener running, as explained in the earlier 'Create the Webhook' section of this post):
from django.views.decorators.csrf import csrf_exempt from django.http import HttpResponse @csrf_exempt def webhook(request): stripe.api_key = settings.STRIPE_SECRET_KEY sig_header = request.headers.get('stripe-signature') payload = request.body event = None try: event = stripe.Webhook.construct_event( payload, sig_header, settings.STRIPE_WEBHOOK_SECRET ) except stripe.error.SignatureVerificationError: # Invalid signature return HttpResponse(status=400) # Handle the checkout.session.completed event if event.type == "checkout.session.completed": # TODO: create line orders return HttpResponse(status=200) return HttpResponse(status=400)
Let’s break this down:
Note: A Stripe event can have multiple types but we will only handle completed sessions in this post. However, you can (and should) extend a webhook by following the docs.
You should also add this view to urlpatterns:
# ecommerce_site/urls.py # ... same imports as before urlpatterns = [ # ... same urls as before path("webhook", views.webhook, name="webhook"), # ⬅️ new ]
If everything works well, once you click “buy”, you should be redirected to a Stripe payment page. Since we are in test mode, we can fill in the payment details with dummy data, like a 4242 4242 4242 4242 card:
Once you press Pay, Stripe should call the webhook view and redirect you to the purchase_success view. Congratulations, you have successfully processed a payment with Stripe!
Once a purchase is completed, we need to do a few things in the webhook view:
Let’s create a LineOrder database model in ecommerce/models.py to store some of the order information:
# ecommerce/models.py from django.db import models class LineOrder(models.Model): quantity = models.IntegerField() name = models.CharField(max_length=255, null=True, blank=True) email = models.EmailField(null=True, blank=True) shipping_details = models.TextField(null=True, blank=True) created_at = models.DateTimeField(auto_now_add=True) def __str__(self): return f"Order {self.id} - {self.quantity} units"
Remember to create and run the migrations:
python manage.py makemigrations # ⬅️ creates the migration files python manage.py migrate # ⬅️ applies the migrations in the database
We can now create a function to process the orders and call it from the webhook view:
# ecommerce/views.py @csrf_exempt def webhook(request): # ...same code as before if event.type == "checkout.session.completed": create_line_orders(event.data.object) # ⬅️ new return HttpResponse(status=200) return HttpResponse(status=400) # new ⬇️ def create_line_orders(session: stripe.checkout.Session): line_items = stripe.checkout.Session.list_line_items(session.id) for line_item in line_items.data: LineOrder.objects.create( name=session.customer_details.name, email=session.customer_details.email, shipping_details=session.shipping_details, quantity=line_item.quantity, ) mail.send_mail( "Your order has been placed", f""" Hi {session.customer_details.name}, Your order has been placed. Thank you for shopping with us! You will receive an email with tracking information shortly. Best, The one product e-commerce Team """, "from@example.com", [session.customer_details.email], ) staff_users = User.objects.filter(is_staff=True) mail.send_mail( "You have a new order!", """ Hi team! You have a new order in your shop! go to the admin page to see it. Best, The one product e-commerce Team """, "from@example.com", [user.email for user in staff_users], )
Let’s break this down:
You can now register the LineOrder model in the admin panel, so it’s accessible to staff users:
# ecommerce/admin.py from django.contrib import admin from ecommerce.models import LineOrder # Register your models here. admin.site.register(LineOrder)
When staff users log in to the admin page, they will now be able to check new orders and process them accordingly — in this case, pack and ship mugs to the customer!
Here are some tips to further improve on the store you've built:
Dalam siri dua bahagian ini, kami berjaya membina tapak e-dagang satu produk menggunakan Django, htmx dan Stripe. Panduan ini telah membimbing anda melalui penyediaan projek Django anda, menyepadukan htmx untuk interaksi pengguna yang lancar dan menggabungkan pembayaran selamat dengan Stripe.
Kami juga merangkumi cara mengendalikan pemprosesan pesanan, termasuk menyimpan maklumat pesanan ke pangkalan data anda, memberitahu pengguna kakitangan tentang pembelian baharu dan menghantar e-mel pengesahan kepada pelanggan anda. Dengan asas ini, anda boleh menyesuaikan dan mengembangkan lagi tapak e-dagang anda untuk memenuhi keperluan khusus anda.
Selamat pengekodan!
P.S. Jika anda ingin membaca siaran Python sebaik sahaja ia keluar dari akhbar, langgan surat berita Python Wizardry kami dan jangan sekali-kali terlepas satu pun siaran!
Atas ialah kandungan terperinci Mengintegrasikan Stripe Menjadi Kedai Django Python Satu Produk. Untuk maklumat lanjut, sila ikut artikel berkaitan lain di laman web China PHP!