Django에서 app은 내부 기능 모듈을 의미한다.
기본 내장 app인 auth나 admin을 통해 계정을 관리할 수 있다.
Django의 기본 경로는
/Users/macbook/Desktop/Computer/Django/trydjango/src
app는 세분화된 하나의 기능을 수행해야 한다.
먼저 데이터를 매핑하고 저장하는 app
아래 명령어를 통해 장고 내에 앱을 생성할 수 있다.
python manage.py startapp {appName}
디렉터리를 보면 products라는 디렉터리가 새로 생성되었음을 알 수 있다.
그 중 models.py에 db에 매핑할 모델을 설정할 수 있다.
예시는 아래와 같다.
from django.db import models
# Create your models here.
class Product(models.Model):
title = models.TextField()
description = models.TextField()
price = models.TextField()
이렇게 직접 만든 앱을 생성한 뒤에는 settings.py의 INSTALLED_APP 설정란에 추가해주어야 한다.
'products'
앱을 추가한 뒤에는 아래 명령어를 통해 최신화 시켜주자
python manage.py makemigrations
python manage.py migrate
relative import
from .models import Product
같은 경로에 있으니까 상대 경로를 이용해 models를 import 해준다.
admin.site.register(Product)
admin page를 보면 product가 새로 생긴 것을 확인할 수 있다.
admin page는 http://localhost:8000/admin/ 경로로 접근 가능하다.
이전에 만든 슈퍼계정으로 로그인하면 된다.
python manage.py shell
위 명령어를 통해서 장고를 shell에서 개발할 수 있다.
해당 shell에서 새로운 product를 생성할 수도 있다.
from products.models import Product
Product.objects.all()
Product.objects.create(title="new product 2", description="...", ...)
admin 웹에서는 product 추가 시에
https://stackoverflow.com/questions/53637182/django-no-such-table-main-auth-user-old
Django - No such table: main.auth_user__old
I was following the first app tutorial from the official Django docs and got this error when trying to save some changes made through the admin page. I did some research on it, but the possible sol...
stackoverflow.com
에러가 발생했는데 해결하지 못했다.
shell으로 요청하는 것은 잘 되었다.
모델 필드의 자료형은 필요에 따라 다음과 같이 설정할 수 있다.
blank는 값이 비어도 되는지, null은 해당 필드가 없어도 되는지 지정하는 attribute이다.
class Product(models.Model):
title = models.CharField(max_length=120) # max_length = required
description = models.TextField(blank=True, null=True)
price = models.DecimalField(decimal_places=2, max_digits=1000)
summary = models.TextField()
반드시 필요한 인자도 있으니 공식 홈페이지를 참고하자
개발하면서 model이 변경되는 경우가 있다. 이때 makemigrations를 입력하면
error메시지가 뜨는데 이때 새로 추가한 필드에 null=True를 적용해 해당 에러를 막을 수 있다.
migration 디렉터리 안에 있는 initial.py 파일들은 db와 매핑하기 위한 정보가 담겨있다.
터미널에 발생한 에러 핸들러를 잘 따라가면 앞서 populate된 데이터들의 필드값을 새로 지정한 default값으로 초기화 할 수도 있다.
'Backend > Django' 카테고리의 다른 글
2022-03-01::DRF Serialization (0) | 2022.03.02 |
---|---|
2022-02-25::Django 29-35 (0) | 2022.02.25 |
2022-02-24::Django Forms (0) | 2022.02.24 |
2022-02-24::Django Read, Create with sqlite3 (0) | 2022.02.24 |
2022-02-20::Django 환경설정 (0) | 2022.02.21 |