#javascript #django #stripe-payments
#javascript #django #stripe-платежи
Вопрос:
Я использую CLI stripe для тестирования веб-хуков в моем приложении django. Когда проходит платеж, веб-крючок записывает это и, похоже, работает отлично. Однако всякий раз, когда я использую одну из тестовых карточек stripe, которые отклоняются (например: 4000000000009987), это выглядит так, как будто webhook никогда не вызывается, хотя stripe сообщает мне об ошибке, что карта была отклонена. Как будто веб-крючок никогда даже не вызывается из stripe при сбое платежа. Чего мне не хватает?
мой веб-хук в python
@require_POST
@csrf_exempt
def webhook_received(request):
stripe.api_key = settings.STRIPE_SECRET_KEY
endpoint_secret = settings.STRIPE_ENDPOINT_SECRET
payload = request.body
sig_header = request.META['HTTP_STRIPE_SIGNATURE']
event = None
try:
event = stripe.Webhook.construct_event(
payload, sig_header, endpoint_secret
)
except ValueError as e:
# Invalid payload
return HttpResponse(status=400)
except stripe.error.SignatureVerificationError as e:
# Invalid signature
return HttpResponse(status=400)
print('THE EVENT: ', event)
print('THE EVENT TYPE: ', event.type)
# Handle the event
if event.type == 'payment_intent.succeeded':
payment_intent = event.data.object # contains a stripe.PaymentIntent
# Then define and call a method to handle the successful payment intent.
# handle_payment_intent_succeeded(payment_intent)
elif event.type == 'payment_method.attached':
payment_method = event.data.object # contains a stripe.PaymentMethod
# Then define and call a method to handle the successful attachment of a PaymentMethod.
# handle_payment_method_attached(payment_method)
elif event.type == 'checkout.session.completed':
pass
elif event.type == 'invoice.paid':
# Used to provision services after the trial has ended.
# The status of the invoice will show up as paid. Store the status in your
# database to reference when a user accesses your service to avoid hitting rate
# limits.
print('invoice.paid')
print(event.data)
database_plan = Plan.objects.values('plan_short', 'stripe_plan_id')
confirmed_plan = event.data['object']['lines']['data'][0]['plan']['product']
print('PLAN CONFIRMED: ', confirmed_plan)
for plan in database_plan:
if plan["stripe_plan_id"] == confirmed_plan:
print("The plan is: " plan["plan_short"])
new_plan = plan["plan_short"]
user_instance = Account.objects.get(
email=event.data['object']['customer_email'])
# check if user already has new plan, if not, we are adding it here
if user_instance.plan != new_plan:
row_to_change = Account.objects.get(
email=event.data['object']['customer_email'])
setattr(row_to_change, 'plan', new_plan)
row_to_change.save()
plan_translations = {"S": "Staff", "A": "Admin"}
...
# creating stripe customer in local database
if StripeCustomer.objects.filter(user=user_instance).exists():
print('stripe user already here')
pass
else:
StripeCustomer.objects.create(
user=user_instance,
stripeCustomerId=event.data['object']['customer'],
stripeSubscriptionId=event.data['object']['subscription'],
stripeCurrentProductId=confirmed_plan,
)
print('added a new stripe user')
else:
pass
elif event.type == 'invoice.payment_failed':
# If the payment fails or the customer does not have a valid payment method,
# an invoice.payment_failed event is sent, the subscription becomes past_due.
# Use this webhook to notify your user that their payment has
# failed and to retrieve new card details.
print('invoice.payment_failed')
print(event.data)
elif event.type == 'customer.subscription.deleted':
# handle subscription cancelled automatically based
# upon your subscription settings. Or if the user cancels it.
print('customer.subscription.deleted')
print(event.data)
else:
print('Unhandled event type {}'.format(event.type))
return HttpResponse(status=200)
моя create_subscription в python
@csrf_exempt
def createSubscription(request):
data1 = json.load(request)
data = data1['customerId']
try:
# Attach the payment method to the customer
stripe.PaymentMethod.attach(
data['paymentMethodId'],
customer=data['customerId'],
)
# Set the default payment method on the customer
stripe.Customer.modify(
data['customerId'],
invoice_settings={
'default_payment_method': data['paymentMethodId'],
},
)
# Create the subscription
subscription = stripe.Subscription.create(
customer=data['customerId'],
items=[
{
'price': data['priceId']
}
],
expand=['latest_invoice.payment_intent'],
)
print('subscription: ', subscription)
return JsonResponse(subscription)
except Exception as e:
result = {}
# error = {'message': str(e)}
result['error'] = {'message': str(e).split(":",1)[1] ' Please try again with a different card.' }
return JsonResponse(result)
мой create_payment_method в JS
function createPaymentMethod(cardElement, customerId, priceId) {
return stripe
.createPaymentMethod({
type: 'card',
card: cardElement,
})
.then((result) => {
if (result.error) {
displayError(result);
} else {
createSubscription({
customerId: customerId,
paymentMethodId: result.paymentMethod.id,
priceId: priceId,
});
}
});
}
моя create_subscription в JS:
function createSubscription(customerId, paymentMethodId, priceId) {
return (
fetch('/payments/create-subscription/', {
method: 'post',
headers: {
'Content-type': 'application/json',
},
body: JSON.stringify({
customerId: customerId,
paymentMethodId: paymentMethodId,
priceId: priceId,
}),
})
.then((response) => {
return response.json();
})
// If the card is declined, display an error to the user.
.then((result) => {
if (result.error) {
// The card had an error when trying to attach it to a customer.
throw resu<
}
return resu<
})
// Normalize the result to contain the object returned by Stripe.
// Add the additional details we need.
.then((result) => {
return {
paymentMethodId: paymentMethodId,
priceId: priceId,
subscription: result,
};
})
// Some payment methods require a customer to be on session
// to complete the payment process. Check the status of the
// payment intent to handle these actions.
.then(handlePaymentThatRequiresCustomerAction)
// No more actions required. Provision your service for the user.
.then(onSubscriptionComplete)
.catch((error) => {
// An error has happened. Display the failure to the user here.
// We utilize the HTML element we created.
console.log('createSubscription wrong code')
displayError(error);
})
);
}
моя ошибка отображения в JS:
function displayError(event) {
//changeLoadingStatePrices(false);
let displayError = document.getElementById('card-element-errors');
if (event.error) {
displayError.textContent = event.error.message;
} else {
displayError.textContent = '';
}
}
Знаете ли вы, почему webhook записывает только успешные события?
Спасибо за вашу помощь!
Комментарии:
1. Я полагаю, что вы не получаете события / веб-ссылки для отклонений, которые происходят во время сеанса подобным образом (то есть те, которые поступают от вызова
stripe.Subscription.create
). Вам не нужно событие, потому что вы можете перехватить исключение непосредственно в своем синхронном коде и обработать его там (что и делает ваш код).2. @karllekko большое спасибо за ваш ответ, в этом есть смысл. Как мне тогда проверить наличие таких отклоненных карт? (Я использую тарификацию по счетчикам, поэтому фактическая оплата происходит в конце месяца) Я не могу добавить «отклоненную карту» ни одному клиенту stripe по вышеуказанным причинам…
3. для этого вы можете использовать карту 4000000000000341 ! stripe.com/docs/testing#cards-responses