django model详解

1、安装pymysql模块
pip install pymysql
2、setting.py中设置引擎
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.mysql', # postgresql / mysql / sqlite3 / oracle
'NAME': 'test1', # 数据库名
'USER': 'root',
'PASSWORD': 'root',
'HOST': 'localhost', # 本地:localhost
'PORT': '3306', # 默认端口:3306
}
}
3、model使用流程
创建应用python manage.py startapp [应用名]
settings.py中的 INSTALLED_APPS = [] 添加应用
models.py定义模型类
生成迁移python manage.py makemigrations
执行迁移python manage.py migrate
使用模型
4、字段:AutoField,BooleanField,CharField,IntegerField,FloatField,DateField,TimeField,DateTimeField,DecimalField,FileField,ImageField
AutoField: 无需指定,自增长id
BooleanField: Boolean类型,默认Flase;表单控件: CheckboxInput
NullBooleanField: Boolean类型, 支持None, True, False
CharField(max_length=字段长度20): 字符串
IntegerField: 整数
FloatField: 浮点数
DateField: datetime.date实例的日期
TimeField: datetime.time实例的时间
DecimalField(max_digits=位数总数None, decimal_places=小数点后的数字位数None): Decimal的十进制浮点数
DateTimeField([auto_now=修改时间戳False, auto_now_add=创建时间戳False]): datetime.datetime实例的日期和时间; 表单控件: TextInput + 日历控件

FileField: 上传文件(非路径)
mageField:上传image
5、参数null blank db_column db_index default primary_key unique
null: True:允许None; 默认:False
blank: True:允许空白; 默认:False
db_column: 字段名; 默认:属性名
db_index: True:创建索引; 默认:False
default: 默认值
primary_key: True:主键
unique: True:值唯一
6、关系:ForeignKey,OneToOneField,ManyToManyField
BookshelfInfo
BookInfo
bookshelf = models.ForeignKey(Bookshelf)

用一访问多:
    对象.模型类_set
    bookshelf.bookinfo_set
用一访问一:
    对象.模型类
    book.bookshelfinfo
访问id:
    对象.属性_id
    book.bookshelf_id

使用例子:
    bookshelf = Bookshelf.objects.get(pk=1)  # 查询指定书架
    bookshelf.bookinfo_set.all()  # 获取该书架所有的书信息

7、使用:max_length db_column on_delete=models.CASCADE class Meta:db_table,ording
class Bookshelf(models.Model):
shelf_type = models.CharField(max_length=10, db_column='shelfType')
shelf_id = models.IntegerField(db_column='shelfId')

def __str__(self):
    return self.shelf_type

class BookInfo(models.Model):
book_name = models.CharField(max_length=20, db_column='bookName')
book_time = models.DateTimeField(db_column='bookTime')
book_type = models.ForeignKey(Bookshelf, db_column='bookType', on_delete=models.CASCADE)
is_delete = models.BooleanField(db_column='isDelete')

# 元选项
class Meta:
    db_table = 'bookinfo'  # 表名; 默认: 应用名_表名
    ordering = ['id']  # 排序(正序), 倒序:'-id', 随机:'?id'

def __str__(self):
    return self.book_name

嵌套关联(自连接/自关联): 一张表存储所有地区(省市区)信息

class AreaInfo(models.Model):
area_title = models.CharField(max_length=20)
area_parent = models.ForeignKey('self', null=True, blank=True, on_delete=models.CASCADE)

8、过滤器:
过滤器:(支持链式调用)
--- 多个值 ---
all(): 查询所有
filter(is_delete=True): 通过满足
exclude(is_delete=True): 通过不满足
order_by(): 排序
values(): [{对象}, {对象}]
使用例子: BookInfo.books1.all()
--- 单个值 ---
get(pk=1): 单个满足条件的数据, 没找到DoesNotExist异常, 找到多个MultipleObjectsReturned异常
count(): 总条数
first():第一条数据
last(): 最后一条数据
exists(): 是否有数据, True:有
--- 下标限制(不支持-) ---
[0] / [1:3]
使用例子: BookInfo.books1.all()[1:3]
字段查询:
语法: 属性名__比较运算符=值(无需转义)
外键: 属性名_id
--- 比较运算符 ---
exact: ==, 区分大小写(不区分iexact)
contains: 是否包含, 区分大小写(不区分icontains)
startswith / endswith: 开头/结尾, 区分大小写(不区分istarswith / iendswith)
isnull / isnotnull: 是否为null
gt / gte / lt / lte: > / >= / < / <=
例子: BookInfo.books.filter(book_type_id__exact=1)

in: 是否在该[]范围内
    例子: filter(pk__in=[1, 2, 3, 4, 5])
year / month / day / week_day / hour / minute / second / gt: 年 / 月 / 日 / 周 / 时 / 分 / 秒 / 
    例子: BookInfo.books.filter(book_time__year=1980)
    例子: BookInfo.books.filter(book_time__gt=date(1980, 12, 31))  # >(1980,12,31), (date是datetime里的函数)
pk: 主键(primary key)
    例子: BookInfo.books.filter(pk__lte=2)

--- 关联查询 ---
# 语法: 模型名__属性名__比较运算符
Bookshelf.objects.filter(bookinfo__book_name__in=[123, 456, 789])  # 查询书架上有"书名包含123,456,789"的所有书架

--- 聚合函数 ---
函数: Avg / Count / Max / Min / Sum
例子:
    from django.db.models import Max
    max_date = BookInfo.books.all().aggregate(Max('book_time'))  # aggregate(Max(xxx))

F对象(用于字段与字段的比较)
语法:
字段名1__比较运算符=F('字段名2')
字段名=F('关联模型名__关联字段名')

例子:
    from django.db.models import F
    BookInfo.books.filter(id__exact=F('book_type_id'))  # 对比同表字段
    Bookshelf.objects.filter(id=F('bookinfo__id'))  # 对比关联表字段
    BookInfo.books.filter(book_time__lt=F('book_time') + timedelta(days=1))  # 直接运算

Q对象(or查询)
语法:
Q(字段比较运算符=值)
取反: ~Q(字段
比较运算符=值)

与逻辑运算符一起使用: &(and) / |(or)
语法: Q(字段1__比较运算符1=值1) 逻辑运算符 Q(字段2__比较运算符2=值2)

例子:
    from django.db.models import Q
        list.filter(Q(pk__exact=1))  # id==1
        list.filter(~Q(pk__exact=2))  # id=/=1
        list.filter(Q(pk__exact=1) | Q(pk__exact=2))  # id=1or2

9、事务
from django.db import transaction
from django.shortcuts import redirect

事务

@transaction.atomic()
def order_handle(request):
# 事务回滚点, 操作失败可回到此点
tran_id = transaction.savepoint()
try:
# ...

    # 提交事务
    transaction.savepoint_commit(tran_id)
except Exception as e:
    print(e)
    # 回滚事务
    transaction.savepoint_rollback(tran_id)
return redirect('xxx')

你可能感兴趣的:(django model详解)