1. 程式人生 > >ORM之查詢

ORM之查詢

一、物件查詢

 

1、正向查詢

    ret1=models.Book.objects.first()
    print(ret1.title)
    print(ret1.price)
    print(ret1.publisher)
    print(ret1.publisher.name)  #因為一對多的關係所以ret1.publisher是一個物件,而不是一個queryset集合

 

 2、反向查詢

    ret2=models.Publish.objects.last()
    print(ret2.name)
    print(ret2.city)
    #如何拿到與它繫結的Book物件呢?
    print(ret2.book_set.all())   #ret2.book_set是一個queryset集合
 

二、(__)單表條件條件查詢

    models.Tb1.objects.filter(id__lt=10, id__gt=1)   # 獲取id大於1 且 小於10的值
    models.Tb1.objects.filter(id__in=[11, 22, 33])   # 獲取id等於11、22、33的資料
    models.Tb1.objects.exclude(id__in=[11, 22, 33])  # not in
    models.Tb1.objects.filter(name__contains="ven")
    models.Tb1.objects.filter(name__icontains="ven") # icontains大小寫不敏感
    models.Tb1.objects.filter(id__range=[1, 2])     # 範圍bettwen and
    startswith,istartswith, endswith, iendswith
   

三、(__)多表條件關聯查詢

 

1、正向查詢(條件)

1.1 一對一查詢

    ret3=models.Book.objects.filter(title='Python').values('id')
    print(ret3)        #[{'id': 1}]

1.2 一對多查詢

    ret4=models.Book.objects.filter(title='Python').values('publisher__city')
    print(ret4)        #[{'publisher__city': '北京'}]

1.3 多對多查詢

    ret5=models.Book.objects.filter(title='Python').values('author__name')
    print(ret5)
    ret6=models.Book.objects.filter(author__name="alex").values('title')
    print(ret6)
    #注意
    #正向查詢的publisher__city或者author__name中的publisher,author是book表中繫結的欄位
    #一對多和多對多在這裡用法沒區別

2、反向查詢(條件)

2.1 一對多查詢

    ret8=models.Publisher.objects.filter(book__title='Python').values('name')
    print(ret8)  #[{'name': '人大出版社'}]  注意,book__title中的book就是Publisher的關聯表名

    ret9=models.Publisher.objects.filter(book__title='Python').values('book__authors')
    print(ret9)  #[{'book__authors': 1}, {'book__authors': 2}]

2.2 多對多查詢

    ret10=models.Author.objects.filter(book__title='Python').values('name')
    print(ret10)  #[{'name': 'alex'}, {'name': 'alvin'}]

    #注意
    #正向查詢的book__title中的book是表名Book
    #一對多和多對多在這裡用法沒區別

注意:條件查詢即與物件查詢對應,是指在filter,values等方法中的通過__來明確查詢條件。