I have my model class:
JavaScript
x
6
1
class Subscription(models.Model):
2
email = models.EmailField(max_length=250, unique=True)
3
4
def __str__(self):
5
return self.email
6
and my View:
JavaScript
1
11
11
1
class SubscriptionView(APIView):
2
queryset = Subscription.objects.all()
3
4
def post(request):
5
email = request.data.get('email')
6
print(email)
7
save_email = Subscription.objects.create(email=email)
8
save_email.save()
9
10
return Response(status=status.HTTP_201_CREATED)
11
My model only takes in 1 field which is the email. Not sure why I keep getting ‘TypeError: post() takes 1 positional argument but 2 were given’.
Advertisement
Answer
Your post
is a method, so the first parameter is self
:
JavaScript
1
7
1
class SubscriptionView(APIView):
2
queryset = Subscription.objects.all()
3
4
def post(self, request):
5
email = request.data.get('email')
6
Subscription.objects.create(email=email)
7
return Response(status=status.HTTP_201_CREATED)
It is however quite seldom that one implements a post
method itself. Usually you work for example with a CreateAPIView
[drf-doc], and one can let the serializer, etc. handle all the work.