基本操作
# 增 models.Tb1.objects.create(c1=‘xx‘, c2=‘oo‘) #增加一条数据,可以接受字典类型数据 **kwargs obj = models.Tb1(c1=‘xx‘, c2=‘oo‘) obj.save() dic = {‘c1‘:‘xx‘,‘c2‘:‘oo‘} models.Tb1.objects.create(**dic) #Form的产出结果是一个字典,可以根据这个Form的字典和**直接在数据库创建数据 # 查 models.Tb1.objects.get(id=123) # 获取单条数据,不存在则报错(不建议) models.Tb1.objects.all() # 获取全部 .first() 取第一条数据 models.Tb1.objects.filter(name=‘seven‘) # 获取指定条件的数据 也可以用**的方式传参数 # 删 models.Tb1.objects.filter(name=‘seven‘).delete() # 删除指定条件的数据 # 改 models.Tb1.objects.filter(name=‘seven‘).update(gender=‘0‘) # 将指定条件的数据更新,均支持 **kwargs obj = models.Tb1.objects.get(id=1) obj.c1 = ‘111‘ obj.save() # 修改单条数据
细看从数据库取出的类型
w = models.Simp.objects.all() print w, type(w) [<Simp: chenc>, <Simp: zan>, <Simp: zhangsan>] <class ‘django.db.models.query.QuerySet‘> #可以看到,从数据库取出个数据看起来像包含对象的列表。而实际上整个数据为django中的特殊类型 QuerySet 。
.all() 是取得所有列的数据,可以加 .values() 取出某一列,每一项的值为一个 字典 :
w = models.Simp.objects.all().values(‘username‘) print w, type(w) [{‘username‘: u‘chenc‘}, {‘username‘: u‘zan‘}, {‘username‘: u‘zhangsan‘}] <class ‘django.db.models.query.QuerySet‘>
.values_list(),获取到的值为一个 元组
w = models.Simp.objects.all().values_list(‘username‘) print w, type(w) [(u‘chenc‘,), (u‘zan‘,), (u‘zhangsan‘,)] <class ‘django.db.models.query.QuerySet‘>
.values_list() 也可以添加多个参数:( 可以配合Form在前端生成动态的select )
w = models.Simp.objects.all().values_list(‘id‘, ‘username‘) print w, type(w) [(1, u‘chenc‘), (2, u‘zan‘), (3, u‘zhangsan‘)] <class ‘django.db.models.query.QuerySet‘>
query 可以查看执行的sql语句:
b = models.Simp.objects.all() print b.query SELECT "app01_simp"."id", "app01_simp"."username", "app01_simp"."password" FROM "app01_simp"
利用双下划线将字段和对应的操作连接起来
1 # 获取个数 2 # 3 # models.Tb1.objects.filter(name=‘seven‘).count() 4 5 # 大于,小于 6 # 7 # models.Tb1.objects.filter(id__gt=1) # 获取id大于1的值 8 # models.Tb1.objects.filter(id__lt=10) # 获取id小于10的值 9 # models.Tb1.objects.filter(id__lt=10, id__gt=1) # 获取id大于1 且 小于10的值 10 11 # in 12 # 13 # models.Tb1.objects.filter(id__in=[11, 22, 33]) # 获取id等于11、22、33的数据 14 # models.Tb1.objects.exclude(id__in=[11, 22, 33]) # not in 15 16 # contains 17 # 18 # models.Tb1.objects.filter(name__contains="ven") 19 # models.Tb1.objects.filter(name__icontains="ven") # icontains大小写不敏感 20 # models.Tb1.objects.exclude(name__icontains="ven") 21 22 # range 23 # 24 # models.Tb1.objects.filter(id__range=[1, 2]) # 范围bettwen and 25 26 # 其他类似 27 # 28 # startswith,istartswith, endswith, iendswith, 29 30 # order by 31 # 32 # models.Tb1.objects.filter(name=‘seven‘).order_by(‘id‘) # asc 从小到大 33 # models.Tb1.objects.filter(name=‘seven‘).order_by(‘-id‘) # desc 从大到小 34 35 # limit 、offset 36 # 37 # models.Tb1.objects.all()[10:20] 38 39 # group by 40 from django.db.models import Count, Min, Max, Sum 41 # models.Tb1.objects.filter(c1=1).values(‘id‘).annotate(c=Count(‘num‘)) 42 # SELECT "app01_tb1"."id", COUNT("app01_tb1"."num") AS "c" FROM "app01_tb1" WHERE "app01_tb1"."c1" = 1 GROUP BY "app01_tb1"."id"
时间: 2024-10-05 23:03:23