我如何得到我的请求数据在django-paypal的IPN功能



我正在建立一个网上商店。

我的订单数据存储在请求中。我的视图有如下的一般结构:

payment.py

def payment(request):
    order = request.order    # Getting the order instance
    # do some stuff
    return render_to_response("payment.html")

我用django-paypal。我正在遵循本教程。下面的函数是由PayPal调用的,它告诉我支付成功了。

payment_paypal_ipn_signal_handler.py

# Almost entirely copied from the django-paypal tutorial
from paypal.standard.models import ST_PP_COMPLETED
from paypal.standard.ipn.signals import valid_ipn_received
def payment_paypal_ipn_signal_handler(sender, **kwargs):
    ipn_obj = sender
    if ipn_obj.payment_status == ST_PP_COMPLETED:
        # WARNING !
        # Check that the receiver email is the same we previously
        # set on the business field request. (The user could tamper
        # with those fields on payment form before send it to PayPal)
        if ipn_obj.receiver_email != "receiver_email@example.com":
            # Not a valid payment
            return
        # ALSO: for the same reason, you need to check the amount
        # received etc. are all what you expect.
        # Undertake some action depending upon `ipn_obj`.
        if ipn_obj.custom == "Upgrade all users!":
            Users.objects.update(paid=True)
        # Here I should add the code that handles a successful payment
        request.order.paid = True    # How do I get my 'request' here?
    else:
        #...
valid_ipn_received.connect(show_me_the_money)

但是,我仍然需要我的order实例,以便将其设置为付费。如何在PayPal调用的函数中获取数据?

我找到了一个解决方案。可以通过PayPalPaymentsForm参数中的custom属性传递信息。

payment_paypal.py

def payment_paypal(request):
    paypal_dict = {
        "business": ...,
        "amount": ...,
        ...,
        # Pass any information you want HERE!
        "custom": request.order.order_number,
    }
    form = PayPalPaymentsForm(initial=paypal_dict)
    context = {"paypal_form": form}
    return render(request, "payment_paypal.html", context)

payment_paypal_ipn_signal_handler.py

def payment_paypal_ipn_signal_handler(sender, **kwargs):
    ipn_obj = sender
    # Retrieve the order_number previously passed
    order_number = ipn_obj.custom
    # Get the order :D
    order = Orders.objects.get(order_number=order_number)
    ...

订单号(或其他信息)在处理IPN信号的视图中检索。

最新更新