Полоска Извлекает данные подписки (ОШИБКА: связь «subscriptions_stripecustomer» не существует)

#python #django #django-models #django-rest-framework #stripe-payments

Вопрос:

Я получаю эту ошибку.

отношение «subscriptions_stripecustomer» не существует

Я пытаюсь настроить подписки на Django Stripe, следуя этому руководству https://testdriven.io/blog/django-stripe-subscriptions/

Приведенный ниже код является views.py который извлекает данные о подписке. Это следует приведенному выше руководству.

 import stripe
from django.conf import settings
from django.contrib.auth.decorators import login_required
from django.contrib.auth.models import User  
from django.http.response import JsonResponse, HttpResponse  
from django.shortcuts import render
from django.views.decorators.csrf import csrf_exempt

from subscriptions.models import StripeCustomer  

@login_required
def home(request):
    try:
        # Retrieve the subscription amp; product
        stripe_customer = StripeCustomer.objects.get(user=request.user)
        stripe.api_key = settings.STRIPE_SECRET_KEY
        subscription = stripe.Subscription.retrieve(stripe_customer.stripeSubscriptionId)
        product = stripe.Product.retrieve(subscription.plan.product)

        # Feel free to fetch any additional data from 'subscription' or 'product'
        # https://stripe.com/docs/api/subscriptions/object
        # https://stripe.com/docs/api/products/object

        return render(request, 'home.html', {
            'subscription': subscription,
            'product': product,
        })

    except StripeCustomer.DoesNotExist:
        return render(request, 'home.html')
    
@csrf_exempt
def stripe_webhook(request):
print("webhook page is opend")
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)

# Handle the checkout.session.completed event
if event['type'] == 'checkout.session.completed':
    session = event['data']['object']

    # Fetch all the required data from session
    client_reference_id = session.get('client_reference_id')
    stripe_customer_id = session.get('customer')
    stripe_subscription_id = session.get('subscription')

    # Get the user and create a new StripeCustomer
    user = User.objects.get(id=client_reference_id)
    StripeCustomer.objects.create(
        user=user,
        stripeCustomerId=stripe_customer_id,
        stripeSubscriptionId=stripe_subscription_id,
    )
    print(user.username   ' just subscribed.')

return HttpResponse(status=200)
 

Ошибка может возникнуть при

stripe_customer = StripeCustomer.objects.get(пользователь=запрос.пользователь)

или

пользователь = User.objects.get(идентификатор=client_reference_id)

потому что я использую пользовательскую модель пользователя «Пользователь»

Мой models.py

 from django.conf import settings
from django.db import models


class StripeCustomer(models.Model):
    user = models.OneToOneField(to=settings.AUTH_USER_MODEL, on_delete=models.CASCADE)
    stripeCustomerId = models.CharField(max_length=255)
    stripeSubscriptionId = models.CharField(max_length=255)

    def __str__(self):
        return self.user.username
 

accounts/models.py

 from django.contrib.auth.models import AbstractUser


class CustomUser(AbstractUser):

    class Meta:
        verbose_name_plural = 'CustomUser'
 

Мой settings.py

 #used for django-allauth
AUTH_USER_MODEL = 'accounts.CustomUser'
 

В этой ситуации, как я должен правильно изменить приведенный ниже код вместе с пользовательской моделью пользователя «Пользователь»?

stripe_customer = StripeCustomer.objects.get(пользователь=запрос.пользователь)

или

пользователь = User.objects.get(идентификатор=client_reference_id)

или добавить какой-то другой код?

Я только что упомянул вышеуказанные настройки в этом вопросе, но все же, если потребуется больше кода, скажите мне, что я обновлю свой вопрос с этой информацией. Спасибо

Комментарии:

1. Вы выполнили шаг в этом посте в блоге «Наконец-то запустите migrate для синхронизации базы данных и запустите сервер для запуска локального веб-сервера Django» ? Ошибка здесь звучит так, как будто база данных не была инициализирована.

2. @karllekko Да, я так и сделал.