example-of-crud-in-django-w.../app/libros/views.py

55 lines
1.9 KiB
Python
Raw Normal View History

2021-07-12 07:01:26 +02:00
# app/libros/views.py
2021-07-05 15:56:53 +02:00
from django.http import JsonResponse
2021-07-12 23:47:31 +02:00
from rest_framework.views import APIView
from rest_framework.response import Response
from rest_framework import status
from .serializers import LibroSerializer
from .models import Libros
2021-07-05 15:56:53 +02:00
def ping(request):
data = {"ping": "pong!"}
return JsonResponse(data)
2021-07-12 07:01:26 +02:00
class LibrosList(APIView):
2021-07-13 18:18:18 +02:00
def get(self, request):
2021-07-13 18:30:31 +02:00
libros = Libros.objects.all().order_by("created_at")
2021-07-12 23:47:31 +02:00
serializer = LibroSerializer(libros, many=True)
return Response(serializer.data, status=status.HTTP_200_OK)
2021-07-12 07:01:26 +02:00
def post(self, request):
serializer = LibroSerializer(data=request.data)
if serializer.is_valid():
serializer.save()
return Response(serializer.data, status=status.HTTP_201_CREATED)
2021-07-12 23:47:31 +02:00
return Response(serializer.errors, status=status.HTTP_400_BAD_REQUEST)
class LibrosDetails(APIView):
2021-07-13 18:18:18 +02:00
def get(self, request, pk):
2021-07-12 23:47:31 +02:00
libro = Libros.objects.filter(pk=pk).first()
if libro:
2021-07-13 18:18:18 +02:00
serializer = LibroSerializer(libro)
2021-07-12 23:47:31 +02:00
return Response(serializer.data, status=status.HTTP_200_OK)
2021-07-13 18:18:18 +02:00
return Response(status=status.HTTP_404_NOT_FOUND)
2021-07-12 23:47:31 +02:00
2021-07-13 18:18:18 +02:00
def put(self, request, pk):
libro = Libros.objects.filter(pk=pk).first()
serializer = LibroSerializer(libro, data=request.data)
2021-07-13 19:37:12 +02:00
if serializer.is_valid():
2021-07-13 18:18:18 +02:00
serializer.save()
return Response(serializer.data, status=status.HTTP_200_OK)
2021-07-13 19:37:12 +02:00
elif not libro:
return Response(serializer.data, status=status.HTTP_404_NOT_FOUND)
2021-07-13 18:18:18 +02:00
return Response(serializer.errors, status=status.HTTP_400_BAD_REQUEST)
def delete(self, request, pk):
libro = Libros.objects.filter(pk=pk).first()
if libro:
serializer = LibroSerializer(libro)
libro.delete()
return Response(serializer.data, status=status.HTTP_200_OK)
return Response(status=status.HTTP_404_NOT_FOUND)