반응형
250x250
Notice
Recent Posts
Recent Comments
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | 5 | 6 | 7 |
8 | 9 | 10 | 11 | 12 | 13 | 14 |
15 | 16 | 17 | 18 | 19 | 20 | 21 |
22 | 23 | 24 | 25 | 26 | 27 | 28 |
29 | 30 | 31 |
Tags
- dfs
- DenseNet
- ssafy 7기 교수님
- 프로그래머스
- 이코테
- 삼성청년sw아카데미
- 웹 표준 사이트 만들기
- 백준7576 bfs
- SSAFY 입학식
- ssafy 7기 합격
- SSAFYcial
- 삼성 청년 SW 아카데미
- 전이학습
- SSAFY 8기
- 유니온 파인드
- bfs
- 백준
- DP
- SWEA
- Learning
- ssafy 7기
- 프로그래머스 고득점 kit
- React
- 알고리즘
- git
- SSAFY
- 코딩 교육
- pytorch
- 싸피 7기 입학식
- 코딩교육
Archives
- Today
- Total
개미의 개열시미 프로그래밍
[django] 3. Serializer 라이브러리 활용(Rest Framework) 본문
728x90
반응형
처음 가상 환경을 세팅할 때 Rest Framework를 설치하였다.
https://reliablecho-programming.tistory.com/44
Rest Framework란?
- DRF(Django Rest Framework)는 Django 안에서 RESTful API 서버를 쉽게 구축할 수 있도록 도와주는 오픈소스 라이브러리이다.
Serializer란?
- 쿼리셋, 모델 인스턴스 등이 복잡한 데이터를 JSON, XML 등의 컨텐트 타입으로 쉽게 변환 가능한 python datatype으로 변환시켜주는 Serializer기능을 쓸 때 유용하다. (데이터베이스의 데이터를 JSON 형식으로!)
이번은 Serializer 라이브러리를 활용해서 DB 데이터를 받아 view로 띄워보려 한다.
# api/serializer.py
from rest_framework import serializers
from .models import Item_Info
class ItemSerializer(serializers.ModelSerializer):
class Meta:
model = Item_Info
fields = ('id', 'category_L', 'name', 'value', 'price')
class PriceSerializer(serializers.ModelSerializer):
class Meta:
model = Item_Info
fields = ('id', 'price')
class ValueSerializer(serializers.ModelSerializer):
class Meta:
model = Item_Info
fields = ('id', 'value')
- api 디렉터리 밑에 serializer.py를 생성해서 넣어준다.
- Item_Info 모델의 데이터를 뽑아 전송하기 위한 정의를 한다.
- serializer.py를 작성할 땐 이전에 작성했던 models.py의 모델을 보면서 값을 잘 넣어준다.
[api/Serializer.py - api/View.py 연결]
# api/views.py
from django.shortcuts import render
from rest_framework.generics import UpdateAPIView, DestroyAPIView
from rest_framework.response import Response
from rest_framework.decorators import api_view
from .models import Item_Info
from .serializers import ItemSerializer, PriceSerializer, ValueSerializer
# Create your views here.
@api_view(['GET'])
def API(request):
return Response("안녕하세요 api에 오신것을 환영합니다.")
@api_view(['GET'])
def ItemAPI(request, id):
this_item = Item_Info.objects.get(id=id)
serializer = ItemSerializer(this_item)
return Response(serializer.data)
# => pid=id01에 대해 리턴된 Response: {'pid': id01, 'category_L': 0, 'name': 'can_pepsi', 'value': 5, 'price': 1500}
# api/views.py
@api_view(['GET'])
def PriceAPI(request, id):
this_item = Item_Info.objects.get(id=id)
serializer = PriceSerializer(this_item)
return Response(serializer.data)
# => pid=id01에 대해 리턴된 Response: {'pid': id01, 'price': 1500}
# update
class UpdateAPI(UpdateAPIView):
queryset = Item_Info.objects.all()
serializer_class = ValueSerializer
# delete
class DeleteAPI(DestroyAPIView):
queryset = Item_Info.objects.all()
serializer_class = ItemSerializer
[api/url.py와 mysite/url.py 설정]
- url을 맵핑해주는 부분이다.
# api/urls.py
from django.urls import path, include
from .views import API
from .views import ItemAPI, PriceAPI, UpdateAPI, DeleteAPI
urlpatterns = [
path("api/", API),
path("info/<str:id>", ItemAPI, name="get_info"),
path("price/<str:id>", PriceAPI, name="get_price"),
path("price/<str:id>/update", UpdateAPI.as_view(), name="update_item"),
path("price/<str:id>/delete", DeleteAPI.as_view(), name="delete_item"),
]
# mysite/urls.py
from django.contrib import admin
from django.urls import path, include
urlpatterns = [
path('admin/', admin.site.urls),
path("", include("api.urls"))
]
[주소창에 'localhost:8000/info/1' 결과 화면]
- 잘 출력되고 있는 것을 확인할 수 있습니다.
참고 사이트
- https://www.django-rest-framework.org/api-guide/serializers/#modelserializer
728x90
반응형
'WEB > django' 카테고리의 다른 글
[django] 2. Mysql 연동과 테이블 생성 + 모델 만들기 (0) | 2021.07.03 |
---|---|
[django] 1. 장고 개발 환경 준비하기 (with Rest Framework) (0) | 2021.07.02 |
[django] 개발 흐름 이해하기 (3) | 2021.06.29 |
[django] ORM과 데이터를 관리하는 모델 생성하기 (5) | 2021.06.28 |
Comments