Django之Model世界

Model

到目前爲止,當咱們的程序涉及到數據庫相關操做時,咱們通常都會這麼搞:html

  • 建立數據庫,設計表結構和字段
  • 使用MySQLdb 來鏈接數據庫,並編寫數據訪問層代碼
  • 業務邏輯層去調用數據訪問層執行數據庫操做  

 

import MySQLdb
 
def GetList(sql):
    db = MySQLdb.connect(user='root', db='wupeiqidb', passwd='1234', host='localhost')
    cursor = db.cursor()
    cursor.execute(sql)
    data = cursor.fetchall()
    db.close()
    return data
 
def GetSingle(sql):
    db = MySQLdb.connect(user='root', db='wupeiqidb', passwd='1234', host='localhost')
    cursor = db.cursor()
    cursor.execute(sql)
    data = cursor.fetchone()
    db.close()
    return data
View Code

 

django爲使用一種新的方式,即:關係對象映射(Object Relational Mapping,簡稱ORM)前端

(ORM):就是用面向對象的方式去操做數據庫的建立表以及增刪改查等操做python

建立表

1基本表結構jquery

注意: git

    1、建立表的時候,若是咱們不給表加自增列,生成表的時候會默認給咱們生成一列爲ID的自增列,固然咱們也能夠自定義ajax

  2、若是咱們給某一列設置了外鍵的時候,生成表的時候,該列的表名會自動生成auter_id(即倆個字段中間用_鏈接起來)正則表達式

  、建立外鍵的時候 models.ForeignKey(UserType)  ForeignKey中參數表明的類必須在其上面,不然就必須寫成字符串的形式sql

from django.db import models
 
class userinfo(models.Model):
    nid = models.AutoField(primary_key=True)
    name = models.CharField(max_length=30)
    email = models.EmailField()
    memo = models.TextField()
 
    class Meta:
        verbose_name = '用戶名'
        verbose_name_plural = verbose_name
 
    def __str__(self):     #至關於tornado中的__repr__
        return self.name
class Host_To_Group(models.Model):
    nid = models.AutoField(primary_key=True)
    host_id = models.ForeignKey('Host')
    group_id = models.ForeignKey('Group')
    class Meta:
        index_together = ('host_id','Group') #聯合索引
        unique_together = [                #聯合惟一索引
            ('host_id', 'Group')
        ]
 1 models.AutoField  自增列 = int(11)
 2   若是沒有的話,默認會生成一個名稱爲 id 的列,若是要顯示的自定義一個自增列,必須將給列設置爲主鍵 primary_key=True。
 3 models.CharField  字符串字段
 4   必須 max_length 參數
 5 models.BooleanField  布爾類型=tinyint(1)
 6   不能爲空,Blank=True
 7 models.ComaSeparatedIntegerField  用逗號分割的數字=varchar
 8   繼承CharField,因此必須 max_lenght 參數
 9 models.DateField  日期類型 date
10   對於參數,auto_now = True 則每次更新都會更新這個時間;auto_now_add 則只是第一次建立添加,以後的更新再也不改變。
11 models.DateTimeField  日期類型 datetime
12   同DateField的參數
13 models.Decimal  十進制小數類型 = decimal
14   必須指定整數位max_digits和小數位decimal_places
15 models.EmailField  字符串類型(正則表達式郵箱) =varchar
16   對字符串進行正則表達式
17 models.FloatField  浮點類型 = double
18 models.IntegerField  整形
19 models.BigIntegerField  長整形
20   integer_field_ranges = {
21     'SmallIntegerField': (-32768, 32767),
22     'IntegerField': (-2147483648, 2147483647),
23     'BigIntegerField': (-9223372036854775808, 9223372036854775807),
24     'PositiveSmallIntegerField': (0, 32767),
25     'PositiveIntegerField': (0, 2147483647),
26   }
27 models.IPAddressField  字符串類型(ip4正則表達式)
28 models.GenericIPAddressField  字符串類型(ip4和ip6是可選的)
29   參數protocol能夠是:both、ipv四、ipv6
30   驗證時,會根據設置報錯
31 models.NullBooleanField  容許爲空的布爾類型
32 models.PositiveIntegerFiel  正Integer
33 models.PositiveSmallIntegerField  正smallInteger
34 models.SlugField  減號、下劃線、字母、數字
35 models.SmallIntegerField  數字
36   數據庫中的字段有:tinyint、smallint、int、bigint
37 models.TextField  字符串=longtext
38 models.TimeField  時間 HH:MM[:ss[.uuuuuu]]
39 models.URLField  字符串,地址正則表達式
40 models.BinaryField  二進制
41 models.ImageField   圖片
42 models.FilePathField 文件
AutoField
一個 IntegerField, 添加記錄時它會自動增加. 你一般不須要直接使用這個字段; 若是你不指定主鍵的話,系統會自動添加一個主鍵字段到你的 model.(參閱 _自動主鍵字段)
BooleanField
A true/false field. admin 用 checkbox 來表示此類字段.
CharField
字符串字段, 用於較短的字符串.

若是要保存大量文本, 使用 TextField.

admin 用一個 <input type="text"> 來表示此類字段 (單行輸入).

CharField 要求必須有一個參數 maxlength, 用於從數據庫層和Django校驗層限制該字段所容許的最大字符數.

CommaSeparatedIntegerField
用於存放逗號分隔的整數值. 相似 CharField, 必需要有 maxlength 參數.
DateField
一個日期字段. 共有下列額外的可選參數:

Argument    描述
auto_now    當對象被保存時,自動將該字段的值設置爲當前時間.一般用於表示 "last-modified" 時間戳.
auto_now_add    當對象首次被建立時,自動將該字段的值設置爲當前時間.一般用於表示對象建立時間.
admin 用一個文本框 <input type="text"> 來表示該字段數據(附帶一個 JavaScript 日曆和一個"Today"快鍵.

DateTimeField
 一個日期時間字段. 相似 DateField 支持一樣的附加選項.
admin 用兩上文本框 <input type="text"> 表示該字段順序(附帶JavaScript shortcuts). 

EmailField
一個帶有檢查 Email 合法性的 CharField,不接受 maxlength 參數.
FileField
一個文件上傳字段.

要求一個必須有的參數: upload_to, 一個用於保存上載文件的本地文件系統路徑. 這個路徑必須包含 strftime formatting, 該格式將被上載文件的 date/time 替換(so that uploaded files don't fill up the given directory).

admin 用一個``<input type="file">``部件表示該字段保存的數據(一個文件上傳部件) .

在一個 model 中使用 FileField 或 ImageField 須要如下步驟:

在你的 settings 文件中, 定義一個完整路徑給 MEDIA_ROOT 以便讓 Django在此處保存上傳文件. (出於性能考慮,這些文件並不保存到數據庫.) 定義 MEDIA_URL 做爲該目錄的公共 URL. 要確保該目錄對 WEB 服務器用戶賬號是可寫的.
在你的 model 中添加 FileField 或 ImageField, 並確保定義了 upload_to 選項,以告訴 Django 使用 MEDIA_ROOT 的哪一個子目錄保存上傳文件.
你的數據庫中要保存的只是文件的路徑(相對於 MEDIA_ROOT). 出於習慣你必定很想使用 Django 提供的 get_<fieldname>_url 函數.舉例來講,若是你的 ImageField 叫做 mug_shot, 你就能夠在模板中以 {{ object.get_mug_shot_url }} 這樣的方式獲得圖像的絕對路徑.
FilePathField
可選項目爲某個特定目錄下的文件名. 支持三個特殊的參數, 其中第一個是必須提供的.

參數    描述
path    必需參數. 一個目錄的絕對文件系統路徑. FilePathField 據此獲得可選項目. Example: "/home/images".
match    可選參數. 一個正則表達式, 做爲一個字符串, FilePathField 將使用它過濾文件名. 注意這個正則表達式只會應用到 base filename 而不是路徑全名. Example: "foo.*\.txt^", 將匹配文件 foo23.txt 卻不匹配 bar.txt 或 foo23.gif.
recursive    可選參數.要麼 True 要麼 False. 默認值是 False. 是否包括 path 下面的所有子目錄.
這三個參數能夠同時使用.

我已經告訴過你 match 僅應用於 base filename, 而不是路徑全名. 那麼,這個例子:

FilePathField(path="/home/images", match="foo.*", recursive=True)
...會匹配 /home/images/foo.gif 而不匹配 /home/images/foo/bar.gif

FloatField
一個浮點數. 必須 提供兩個 參數:

參數    描述
max_digits    總位數(不包括小數點和符號)
decimal_places    小數位數
舉例來講, 要保存最大值爲 999 (小數點後保存2位),你要這樣定義字段:

models.FloatField(..., max_digits=5, decimal_places=2)
要保存最大值一百萬(小數點後保存10位)的話,你要這樣定義:

models.FloatField(..., max_digits=19, decimal_places=10)
admin 用一個文本框(<input type="text">)表示該字段保存的數據.

ImageField
相似 FileField, 不過要校驗上傳對象是不是一個合法圖片.它有兩個可選參數:height_field 和 width_field,若是提供這兩個參數,則圖片將按提供的高度和寬度規格保存.

該字段要求 Python Imaging Library.

IntegerField
用於保存一個整數.

admin 用一個``<input type="text">``表示該字段保存的數據(一個單行編輯框)

IPAddressField
一個字符串形式的 IP 地址, (i.e. "24.124.1.30").

admin 用一個``<input type="text">``表示該字段保存的數據(一個單行編輯框)

NullBooleanField
相似 BooleanField, 不過容許 NULL 做爲其中一個選項. 推薦使用這個字段而不要用 BooleanField 加 null=True 選項.

admin 用一個選擇框 <select> (三個可選擇的值: "Unknown", "Yes""No" ) 來表示這種字段數據.

PhoneNumberField
一個帶有合法美國風格電話號碼校驗的 CharField``(格式: ``XXX-XXX-XXXX).
PositiveIntegerField
相似 IntegerField, 但取值範圍爲非負整數(這個字段應該是容許0值的....因此字段名字取得不太好,無符號整數就對了嘛).
PositiveSmallIntegerField
相似 PositiveIntegerField, 取值範圍較小(數據庫相關)
SlugField
"Slug" 是一個報紙術語. slug 是某個東西的小小標記(短籤), 只包含字母,數字,下劃線和連字符.它們一般用於URLs.

若你使用 Django 開發版本,你能夠指定 maxlength. 若 maxlength 未指定, Django 會使用默認長度: 50. 在之前的 Django 版本,沒有任何辦法改變 50 這個長度.

這暗示了 db_index=True.

它接受一個額外的參數: prepopulate_from, which is a list of fields from which to auto-populate the slug, via JavaScript, in the object's admin form:

models.SlugField(prepopulate_from=("pre_name", "name"))
prepopulate_from 不接受 DateTimeFields.

admin 用一個``<input type="text">``表示 SlugField 字段數據(一個單行編輯框) 

SmallIntegerField
相似 IntegerField, 不過只容許某個取值範圍內的整數.(依賴數據庫)
 
TextField
一個容量很大的文本字段.

admin 用一個 <textarea> (文本區域)表示該字段數據.(一個多行編輯框).

TimeField
A time. Accepts the same auto-population options as DateField 和 DateTimeField.

admin 用一個 <input type="text"> 文本框表示該字段保存的數據(附加一些JavaScript shortcuts).

URLField
用於保存 URL. 若 verify_exists 參數爲 True (默認), 給定的 URL 會預先檢查是否存在(即URL是否被有效裝入且沒有返回404響應).

admin 用一個 <input type="text"> 文本框表示該字段保存的數據(一個單行編輯框)

USStateField
一個兩字母的美國州名縮寫.

admin 用一個 <input type="text"> 文本框表示該字段保存的數據(一個單行編輯框)

XMLField
一個校驗值是否爲合法XML的 TextField,必須提供參數: schema_path, 它是一個用來校驗文本的 RelaxNG schema 的文件系統路徑.
更多字段
一、null=True
  數據庫中字段是否能夠爲空
二、blank=True
  django的 Admin 中添加數據時是否可容許空值
三、primary_key = False
  主鍵,對AutoField設置主鍵後,就會代替原來的自增 id 列
4、auto_now 和 auto_now_add
  auto_now   自動建立---不管添加或修改,都是當前操做的時間
  auto_now_add  自動建立---永遠是建立時的時間
5、choices
GENDER_CHOICE = (
        (u'M', u'Male'),
        (u'F', u'Female'),
    )
gender = models.CharField(max_length=2,choices = GENDER_CHOICE)
6、max_length
7、default  默認值
8、verbose_name  Admin中字段的顯示名稱
九、name|db_column  數據庫中的字段名稱
十、unique=True  不容許重複
十一、db_index = True  數據庫索引
十二、editable=True  在Admin裏是否可編輯
1三、error_messages=None  錯誤提示
1四、auto_created=False  自動建立
15、help_text  在Admin中提示幫助信息
1六、validators=[]
1七、upload-to
更多參數

經過內部類Meta給數據模型類增長擴展屬性:數據庫

     class Meta:django

             verbose_name='名稱'      #表名由英文轉換成中文了

             verbose_name_plural='名稱複數形式'

      ordering='排序字段'

二、連表結構(當咱們在類中寫上這樣的字段後,就會爲咱們自動建立一張關係表)

  • 一對多: models.ForeignKey(其餘表)
  • 一對多: 就是主外鍵關係
  •                               
  • 多對多: models.ManyToManyField(其餘表)
  • 多對多:多個主外鍵的關係
  •               
  • 一對一:models.OneToOneField(其餘表)
  • 一對一:實質就是在主外鍵的關係基礎上,給外鍵加了

問:什麼是一對一,一對多,多對多?

答:一對一:通常用於某張表的補充,好比用戶基本信息是一張表,但並不是每個用戶都須要有登陸的權限,不須要記錄用戶名和密碼,此時,合理的作法就是新建一張記錄登陸信息的表,與用戶信息進行一對一的關聯,能夠方便的從子表查詢母表信息或反向查詢

外鍵:有不少的應用場景,好比每一個員工歸屬於一個部門,那麼就可讓員工表的部門字段與部門表進行一對多關聯,能夠查詢到一個員工歸屬於哪一個部門,也可反向查出某一部門有哪些員工

多對多:如不少公司,一臺服務器可能會有多種用途,歸屬於多個產品線當中,那麼服務器與產品線之間就能夠作成對多對,多對多在A表添加manytomany字段或者從B表添加,效果一致.

操做表

1丶基本操做

用於獲取後臺提交的數據

  username = req.POST.get("username")

  password = req.POST.get("password")

 

增:
models.tb1.objects.create(c1='xx',c2='oo')        -----增長一條數據,能夠接受字典類型數據   **kwargs
obj = models.Tb1(c1='xx',c2='oo')
obj.save()

查:
models.Tb1.objects.get(id=123)          -----獲取單條數據,不存在則報錯(不建議使用)
models.Tb1.objects.all()       -----獲取所有
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()        -----修改單條數據
基本方法

 

1.1丶增長數據

以接受字典類型數據   **kwargs

 

obj = models.UserType(caption='管理員')  # 在表中插入數據  UserType爲表名
    obj.save()  # 提交進去
 
    models.UserType.objects.create(caption='普通用戶')  # 在表裏插入數據(兩種都是在表裏插入數據)
 
    user_dict = {'caption': '超級管理員'}
    models.UserType.objects.create(**user_dict)

 

在UserInfo中插入數據  

   user_info_dict = {'user': 'alex',
                      'email': 'alex3712@qq.com',
                      'pwd': '123',
                      'user_type':  models.UserType.objects.get(nid=1)  # (獲取的是一個對象)獲取表UserType的nid=1的數據
                      }
   user_info_dict = {'user': 'even',
                      'email': 'even3712@qq.com',
                      'pwd': '123',
                      'user_type':  models.UserType.objects.get(nid=1)  # (獲取的是一個對象)獲取表UserType的nid=1的數據
                      }
 
   models.UserInfo.objects.create(**user_info_dict)  # **表示插入全部
UserInfo

1.2丶查找數據

models.Tb1.objects.get(id=123)      -----獲取單條數據,不存在則報錯
models.Tb1.objects.all()        -----獲取所有數據
models.Tb1.objects.filter(name='test')        -----獲取指定條件的數據

表單查詢,結果爲queryset類型

ret = models.UserType.objects.all()
print(type(ret),ret,ret.query)           #輸出是<class 'django.db.models.query.QuerySet'>
                                                        #<QuerySet [<UserType: UserType object>等,爲queryset類型

for item in ret:
    print(item,item.nid,item.caption)  #輸出UserType objects 2 普通用戶這類型數據
"""
"""
ret1 = models.UserType.objects.all().values('nid')
print(type(ret1),ret1,ret1.query)      # 輸出<QuerySet [{'nid': 2}, {'nid': 1}, {'nid': 3}]>
for item in ret1:
    print(item,type(item))      #輸出的是{'nid':2}<class 'dict'>這類字典類型

ret = models.UserType.objects.all().values_list('nid')
print(type(ret),ret)       #輸出結果<class 'django.db.models.query.QuerySet'> <QuerySet [(2,), (1,), (3,)]>

1.3修改數據  

models.Tb1.objects.filter(name='test').update(age='30')           #將指定條件的數據更新,均支持   **kwargs
或
obj = models.Tb1.objects.get(id=1)
obj.c1 = '111'           #修改單條數據
obj.save()          

1.4刪除數據  

models.user.objects.filter(name='seven').delete()         #刪除指定條件的數據

1.5獲取個數  

models.author.onjects.filter(age='30').count()         #author是做者表

1.6排列  

models.author.objects.filter(age='30').order_by('id')       #asc從小到大
models.author.objects.filter(age='30').order_by('-id')        #desc從大到小

1.7大於,小於  

models.Tb1.objects.filter(id__gt=1)        #獲取id大於1的值
models.Tb1.objects.filter(id__lt=10)        #獲取id小於10的值
models.Tb1.object.filter(id__lt=10,id__gt=1)               #獲取id大於1且小於10的值

1.8存在  

models.Tb1.objects.filter(id__in=[11,22,33])         #獲取id等於11,22,33的數據
models.Tb1.objects.exclude(id__in=[11,22,33])    #not   in

1.9contains 

 

models.Tb1.objects.filter(name__contains='ven')
models.Tb1.onjects.filter(name__icontains='ven')    #icontains大小寫不敏感
models.Tb1.objects.exclude(name__icontains='ven')

 

1.10其餘  

 

# range  隨機的
    #
    # models.Tb1.objects.filter(id__range=[1, 2])   # 範圍bettwen and
 
    # 其餘相似
    #
    # startswith,istartswith, endswith, iendswith,
 
    # order by  排序
    #
    # models.Tb1.objects.filter(name='seven').order_by('id')    # asc
    # models.Tb1.objects.filter(name='seven').order_by('-id')   # desc
 
    # limit 、offset  分頁
    #
    # models.Tb1.objects.all()[10:20]
 
    # group by  分組
    from django.db.models import Count, Min, Max, Sum
    # models.Tb1.objects.filter(c1=1).values('id').annotate(c=Count('num'))  #values這個映射後,就是根據id來分組
View Code

 

# SELECT "app01_tb1"."id", COUNT("app01_tb1"."num") AS "c" FROM "app01_tb1" WHERE "app01_tb1"."c1" = 1 GROUP BY "app01_tb1"."id"
View Code

2丶連表操做

 

2.1一對多 

對象.query      --  查看代碼的sql語句

(利用雙下劃線和__set 將表之間的操做鏈接起來)

 

class UserInfo(models.Model):
    user = models.CharField(max_length=32)  # 字符串(必須帶字節長度參數)
    email = models.EmailField(max_length=32)
    pwd = models.CharField(max_length=64)
    user_type = models.ForeignKey("UserType")  # (一對多)models.ForeignKey 連表關係


class UserType(models.Model):
    nid = models.AutoField(primary_key=True)  # 自增列(主鍵)
    caption = models.CharField(max_length=16, unique=True)  # unique=True 不容許重複
表結構

 

# 在UserType表插入數據

    obj = models.UserType(caption='管理員')  # 在表中插入數據
    obj.save()  # 提交進去

    models.UserType.objects.create(caption='普通用戶')  # 在表裏插入數據(兩種都是在表裏插入數據)

    user_dict = {'caption': '超級管理員'}
    models.UserType.objects.create(**user_dict)
UserType
 # 在UserInfo中插入數據

    user_info_dict = {'user': 'alex',
                       'email': 'alex3712@qq.com',
                       'pwd': '123',
                       'user_type':  models.UserType.objects.get(nid=1)  # (獲取的是一個對象)獲取表UserType的nid=1的數據
                       }
    user_info_dict = {'user': 'even',
                       'email': 'even3712@qq.com',
                       'pwd': '123',
                       'user_type':  models.UserType.objects.get(nid=1)  # (獲取的是一個對象)獲取表UserType的nid=1的數據
                       }

    models.UserInfo.objects.create(**user_info_dict)  # **表示插入全部
UserInfo
#不在filter()或values()中查詢使用
ret = models.UserInfo.objects.all()
for i in ret :
    print(type(i),i.user,i.user_type.caption)
#獲得的ret是一個queryset對象,只有咱們循環咱們獲得每一行的一個對象的時候才能夠用.字段名獲取數據
# 想獲取和其有聯繫表的數據的時候,i.user_type獲得的是一個有聯繫表的對象,咱們就能夠獲取數據了
1
2
3
4
5
6
7
#在filter()或values()中查詢使用
ret1 = models.UserInfo.objects.filter(user_type__caption='管理員').all().values('user','user_type__caption')
ret2 = models.UserInfo.objects.all().values('user','user_type__caption')
 
print(type(ret1),ret1)
print(type(ret2),ret2)
#咱們查的是userinfo表中的user,因此應該user中數據所有顯示,而'user_type__caption'即另外一張表中的數據根據user對應的值進行顯示
第二部

一對多之正向查找經過UserInfo表查找UserType的內容,使用雙下劃線(__),了不得的雙下劃線.

# 正向查找
ret = models.UserInfo.objects.all()
for item in ret:
    print(item, item.id, item.user_type.nid, item.user_type.caption, item.user_type_id)  # 取出的是對象;輸出結果:UserInfo object 1 1 管理員 1
 
ret1 = models.UserInfo.objects.all().values('user', 'user_type__caption')  # user_type__caption中用雙下劃線是能夠連表操做
print(ret1)  # 得到是拼接過得
 
# 拿用戶類型是管理員的全部用戶
models.UserInfo.objects.filter(user='alex')
models.UserInfo.objects.filter(user_type__caption=1)
ret = models.UserInfo.objects.filter(user_type__caption="管理員").values('user', 'user_type__caption')
print(ret, type(ret))

一對多之反向查找,經過UserType查找UserInfo的內容,使用__set

# 反向查找
  obj = models.UserType.objects.filter(caption='管理員').first()
  print(obj.nid)
  print(obj.caption)
 
  # (反向查找)表名_set.all()能夠獲取;                      這種obj.user_type_set()報錯,user_type_set:列名_set,不能得到數據
  print(obj.userinfo_set.all())  # (反向查找)表名_set.all() 能夠獲取
 
  obj = models.UserType.objects.get(nid=1)
 
  # userinfo__user  雙下劃線;userinfo表下的user列
  ret = models.UserType.objects.all().values('nid', 'caption', 'userinfo__user')  # userinfo__user的雙下劃線,能夠關聯userinfo表下的user列
  print(ret)  # 輸出結果:[{'userinfo__user': None, 'nid': 2, 'caption': '普通用戶'}, ...]

2.2一對一

 

user_info_obj = models.UserInfo.objects.filter(id=1).first()
print user_info_obj.user_type
print user_info_obj.get_user_type_display()
print user_info_obj.userprofile.password
  
user_info_obj = models.UserInfo.objects.filter(id=1).values('email', 'userprofile__username').first()
print user_info_obj.keys()
print user_info_obj.values()

 

2.3多對多

表結構的建立方法:

方法一:傳統的多對多(自定義第三張表)

class HostToGroup(models.Model):
    hgid = models.AutoField(primary_key=True)
    host_id = models.ForeignKey('Host')
    group_id = models.ForeignKey('Group')  # ForeignKey會建立第三列放入表中
 
 
class Host(models.Model):
    hid = models.AutoField(primary_key=True)
    hostname = models.CharField(max_length=32)
    ip = models.CharField(max_length=32)
 
 
class Group(models.Model):
    gid = models.AutoField(primary_key=True)
    name = models.CharField(max_length=16)
傳統的多對多

方法二:Django的多對多(自動生成第三張表)

class Host(models.Model):
    hid = models.AutoField(primary_key=True)
    hostname = models.CharField(max_length=32)
    ip = models.CharField(max_length=32)
    # h2g = models.ManyToManyField('Group')  # 與下面創建多對多關係是同樣的,差異就是放在下面關聯表是上面這個Host表
 
 
class Group(models.Model):
    gid = models.AutoField(primary_key=True)
    name = models.CharField(max_length=16)
 
    h2g = models.ManyToManyField('Host')  # 創建多對多關係
Django多對多

方法三:自定義第三張表+ManyToManyField+through字段

示列:

h2g = models.ManyToManyField('Host', through='HostToGroup')
h2g = models.ManyToManyField('Host', through='HostToGroup')
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
class HostToGroup(models.Model):
    hgid = models.AutoField(primary_key=True)
    host_id = models.ForeignKey('Host')
    group_id = models.ForeignKey('Group')
    status = models.IntegerField()
 
 
class Host(models.Model):
    hid = models.AutoField(primary_key=True)
    hostname = models.CharField(max_length=32)
    ip = models.CharField(max_length=32)
    # h2g = models.ManyToManyField('Group')
    # group_set
 
 
class Group(models.Model):
    gid = models.AutoField(primary_key=True)
    name = models.CharField(max_length=16)
    h2g = models.ManyToManyField('Host', through='HostToGroup')
自定義第三張表

以上三種均可以建立多對多表.

插入數據

 

models.Host.objects.create(hostname='c1', ip='1.1.1.1')
    models.Host.objects.create(hostname='c2', ip='1.1.1.2')
    models.Host.objects.create(hostname='c3', ip='1.1.1.3')
    models.Host.objects.create(hostname='c4', ip='1.1.1.4')
    models.Host.objects.create(hostname='c5', ip='1.1.1.5')
Host

 

models.Group.objects.create(name='財務部')
models.Group.objects.create(name='人事部')
models.Group.objects.create(name='公關部')
models.Group.objects.create(name='技術部')
models.Group.objects.create(name='運營部')
models.Group.objects.create(name='銷售部')
models.Group.objects.create(name='客服部')
Group

操做表

添加(正,反)

# 將多臺機器分配給一個組
 
    # 一、一個一個添加
    # obj = models.Group.objects.get(gid=1)
    # h1 = models.Host.objects.get(hid=2)
    # obj .h2g.add(h1)  # 一個一個添加
    # 二、"*"批量添加
    # obj = models.Group.objects.get(gid=1)
    # q = models.Host.objects.filter(hid__gt=3)  # (正向操做)過濾出(__gt=3表示大於3)hid大於3的
    # obj.h2g.add(*q)  # "*"批量添加
 
    # 將一臺機器分給多個組
 
    # 一、一個個添加
    # h = models.Host.objects.get(hid=1)
    # obj = models.Group.objects.get(gid=1)
    # obj.h2g.add(h)
    # obj = models.Group.objects.get(gid=2)  # 一個個添加
    # obj.h2g.add(h)
 
    # 二、批量添加
    # h = models.Host.objects.get(hid=1)
    # h.group_set.add(*models.Group.objects.filter(gid__gt =3)  # (反向操做)批量添加
添加正,反

刪除

# 一、remove;刪除的是關係表
# h = models.Host.objects.get(hid=1)
# h.group_set.remove(*models.Group.objects.filter(gid__gt=5))  # 反向
 
# 二、delete;關係表與基礎表數據都刪除(慎用)
# h = models.Host.objects.get(hid=3)
# h.group_set.all().delete()
刪除

設置

# 一、set ,若是表裏沒有就添加,若是有就保留
 h = models.Host.objects.get(hid=3)
 h.group_set.set(models.Group.objects.filter(gid__gt=4))
 
 # 二、參數clear=True表示先進行清空,再添加
 h.group_set.set(models.Group.objects.filter(gid__gt=3), clear=True)
設置

增長

   # 一、create 增長一條數據,能夠接受字典類型數據
 
   # 二、get_or_create 若是表裏面存在不變,關係表裏面沒有,那樣在基礎表與關係表都建立
   r = h.group_set.get_or_create(name='公關部')
   print(r)
 
   # 三、update_or_create 若是關係表裏沒有,關係表和基礎表都添加,若是存在不變(和上面同樣)
   r = h.group_set.get_or_create(name='銷售部')
   print(r)
增長

查看

relation_list = models.HostRelation.objects.all()
或
relation_list = models.HostRelation.objects.filter(c2__username='wang')
for item in relation_list:
    print item.c1.hostname
    print item.c2.username
查看

Q,F

其中F表示可讓某一列的數據在當前的狀態下自增多少,而咱們平時用的updata只能把某一列數據都改變成同一個值其中Q表示搜索條件能夠有orand

    # from django.db.models import F

    # models.Tb1.objects.update(num=F('num')+1)
F,使用條件查詢的值
    from django.db.models import Q
    # con = Q()
    #
    # q1 = Q()
    # q1.connector = 'OR'
    # q1.children.append(('id', 1))
    # q1.children.append(('id', 10))
    # q1.children.append(('id', 9))
    #
    # q2 = Q()
    # q2.connector = 'OR'
    # q2.children.append(('c1', 1))
    # q2.children.append(('c1', 10))
    # q2.children.append(('c1', 9))
    #
    # con.add(q1, 'AND')
    # con.add(q2, 'AND')
    #
    # models.Tb1.objects.filter(con)
 
    #
    # from django.db import connection
    # cursor = connection.cursor()
    # cursor.execute("""SELECT * from tb where name = %s""", ['Lennon'])
    # row = cursor.fetchone()
Q,構建搜索條件

示列:

用Q 的條件搜索,查詢圖書的相關信息

from django.conf.urls import url
from django.contrib import admin
from app1 import views

urlpatterns = [
    url(r'^admin/', admin.site.urls),
    url(r'^test/', views.test),
    url(r'^index/', views.index),
]
urls
<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Title</title>
    <style>
        .left{
            float: left;
        }
        .clearfix:after{  // 清除漂浮
            content: '.';
            clear: both;
            display: block;
            visibility: hidden;
            height: 0;
        }
    </style>
</head>
<body>
    <div class="condition">
        <div class="item clearfix">
            <div class="icon left" onclick="AddCondition(this);">+</div>
            <div class="left">
                <select onchange="ChangeName(this);">
                    <option value="name">書名</option>
                    <option value="book_type__caption">圖書類型</option>
                    <option value="price">價格</option>
                    <option value="pages">頁數</option>
                </select>
            </div>
            <div class="left"><input type="text" name="name" /></div>
        </div>
    </div>
    <div>
        <input type="button" onclick="Search();" value="搜索" />
    </div>

    <div class="container">

    </div>



    <script src="/static/jquery-1.12.4.js"></script>
    <script>
        function  AddCondition(ths) {
            var new_tag = $(ths).parent().clone();  //複製父標籤
            new_tag.find('.icon').text('-');  // 在子孫中找,把內容改成「-」
            new_tag.find('.icon').attr('onclick', 'RemoveCondition(this);');  // (從新寫個事件)把以前綁定的增添事件更新成刪除

            $(ths).parent().parent().append(new_tag);  //添加
        }
        function  RemoveCondition(ths) {  // 刪除事件
            $(ths).parent().remove();
        }
        function ChangeName(ths) {  //修改內容觸發這個事件
            var v = $(ths).val();  //得到當前選中標籤的屬性
            $(ths).parent().next().find('input').attr('name',v);  //select標籤,父親的下一個標籤的input找出來,把屬性改成「v」
        }
        function Search() {  //搜索事件
            var post_data_dict = {};  //得到的值放在這個字典

            $('.condition input').each(function () {  // 獲取全部input的內容,循環一個個獲取;提交數據
                // console.log($(this)[0])   // ($(this)[0],是把Jquery對象轉變成DOM對象
                var n = $(this).attr('name');  //這裏的this是jQuery對象;獲取name屬性
                var v = $(this).val();  //獲取對象的值
                var v_list = v.split('');   // 利用分割,獲得輸入的多個內容
                post_data_dict[n] = v_list;  //把這些輸入值放到字典
            });
            console.log(post_data_dict);  //打印出


            var post_data_str = JSON.stringify(post_data_dict);  // 把post_data_dict這個字典轉換成字符串
            $.ajax({
                url: '/index/',  //這裏index後面必須加 "/"
                type: 'POST',
                data: { 'post_data': post_data_str},  // 要傳輸默認爲字符串,
                dataType: 'json',  //轉換類型
                success: function (arg) {
                    // 字符串 "<table>" +
                    if(arg.status){
                        var table = document.createElement('table');  // 成功的話把內容添加到table
                        table.setAttribute('border', 1);
                        // [{,name,pubdate,price,caption},]
                        $.each(arg.data, function(k,v){  //循環獲得返回的內容
                            var tr = document.createElement('tr');  //建立標籤

                            var td1 = document.createElement('td');  //建立標籤
                            td1.innerText = v['name'];  //標籤內容
                            var td2 = document.createElement('td');
                            td2.innerText = v['price'];
                            var td3 = document.createElement('td');
                            td3.innerText = v['book_type__caption'];
                            var td4 = document.createElement('td');
                            td4.innerText = v['pubdate'];
                            tr.appendChild(td1);  //標籤添加內容
                            tr.appendChild(td2);
                            tr.appendChild(td3);
                            tr.appendChild(td4);

                            table.appendChild(tr);
                            // 以上都是Dom建立標籤和添加標籤內容
                        });

                        $('.container').empty();  //加以前進行清空
                        $('.container').append(table);  //找到container把table添加進去
                    }else{
                        alert(arg.message);
                    }

                }

            })
        }
    </script>
</body>
</html>
index.html
from django.db import models

# Create your models here.


class Author(models.Model):
    """
    做者
    """
    name = models.CharField(max_length=100)
    age = models.IntegerField()


class BookType(models.Model):
    """
    圖書類型
    """
    caption = models.CharField(max_length=64)


class Book(models.Model):
    """
    圖書
    """
    name = models.CharField(max_length=64)
    pages = models.IntegerField()
    price = models.DecimalField(max_digits=10, decimal_places=2)
    pubdate = models.DateField()

    # authors = models.ManyToManyField(Author)
    book_type = models.ForeignKey(BookType)

    def __str__(self):  # 獲取內容方便查看
        return 'obj:%s-%s' % (self.name, self.price)
models.py
from django.shortcuts import render, HttpResponse
from app1 import models
# Create your views here.
import json
from datetime import date
from datetime import datetime
from decimal import Decimal


def test(request):

    # 插入做者
    """
    models.Author.objects.create(name='alex', age=30)
    models.Author.objects.create(name='eric', age=40)
    models.Author.objects.create(name='svion', age=20)
    models.Author.objects.create(name='riok', age=60)
    models.Author.objects.create(name='vion', age=50)
    models.Author.objects.create(name='sion', age=40)
    models.Author.objects.create(name='sdion', age=20)
    models.Author.objects.create(name='svnn', age=80)
    models.Author.objects.create(name='aion', age=60)
    models.Author.objects.create(name='xzon', age=70)
    """
    # 插入圖書類型
    """
    models.BookType.objects.create(caption='歷史')
    models.BookType.objects.create(caption='政治')
    models.BookType.objects.create(caption='文學')
    models.BookType.objects.create(caption='計算機')
    models.BookType.objects.create(caption='小說')
    models.BookType.objects.create(caption='故事')
    models.BookType.objects.create(caption='語文')
    models.BookType.objects.create(caption='數學')
    models.BookType.objects.create(caption='科技')
    models.BookType.objects.create(caption='化學')
    """

    # 插入圖書
    """
    models.Book.objects.create(name='文藝復興', pages='100', price='40', pubdate='1992-11-2', book_type_id='1')
    models.Book.objects.create(name='解密', pages='80', price='10', pubdate='2016-6-10', book_type_id='5')
    models.Book.objects.create(name='刀鋒', pages='50', price='3', pubdate='2014-02-16', book_type_id='5')
    models.Book.objects.create(name='路84號', pages='260', price='40', pubdate='1999-10-12', book_type_id='3')
    models.Book.objects.create(name='紅樓', pages='1000', price='500', pubdate='1760-1-1', book_type_id='3')
    models.Book.objects.create(name='將夜', pages='2000', price='300', pubdate='2010-3-3', book_type_id='5')
    models.Book.objects.create(name='跑路', pages='20', price='10', pubdate='1998-9-2', book_type_id='4')
    models.Book.objects.create(name='馬克思主義', pages='50', price='100', pubdate='1937-3-3', book_type_id='2')
    """

    # 查詢
    # # ret1 = models.Book.objects.filter(book_type__caption='文學').values('name', 'pages', 'price', 'pubdate')
    # # print(ret1)
    # ret2 = models.Book.objects.filter(authors__name='alex').values('pages', 'price', 'pubdate')
    # print(ret2)
    # obj2 = models.BookType.objects.filter(book_authors__name='alex').first()
    # ret3 = obj2.book_set.values_list('authors__book__name', 'authors__book__price', 'authors__book__pubdate')
    # print(ret3)
    return HttpResponse("歡迎進入圖書館")


class JsonCustomEncoder(json.JSONEncoder):  # 固定的格式模塊

    def default(self, field):
        if isinstance(field, datetime):
            return field.strftime('%Y-%m-%d %H:%M:%S')
        elif isinstance(field, date):
            return field.strftime('%Y-%m-%d')
        elif isinstance(field, Decimal):
            return str(field)
        else:
            return json.JSONEncoder.default(self, field)


def index(request):
    if request.method == 'POST':
        ret = {'status': False, 'message': '', 'data': None}
        try:
            post_data = request.POST.get('post_data', None)
            post_data_dict = json.loads(post_data)  # 反序列化
            print(post_data_dict)
            # {'name': ['11', 'sdf'],'price': ['11', 'sdf']}
            # 構造搜索條件(是或的)  搜索內容   返回內容
            from django.db.models import Q
            con = Q()  # 最外層
            for k, v in post_data_dict.items():
                q = Q()
                q.connector = 'OR'  # 或的關係
                for item in v:  # 循環全部的列表如「['11', 'sdf']」
                    q.children.append((k, item))  # item是每個搜索條件(循環的值),在添加到
                con.add(q, 'AND')
            """
            ret = models.Book.objects.filter(con)
            print(ret) # queryset,[對象]

            # 使用serializers方法序列化
            from django.core import serializers
            data = serializers.serialize("json", ret)  # 字符串
            print(type(data),data)

            """
            """
            # 序列化
            # values  內部元素變成字典
            # values_list  內部元素變爲元祖
            #ret = models.Book.objects.filter(con).values('name','book_type__caption')  #  這裏ret外邊是queryset類型;裏邊的列表類型;遇到values就會變成字典類型
            ret = models.Book.objects.filter(con).values_list('name', 'book_type__caption')
            print(ret,type(ret))
            li = list(ret)
            data = json.dumps(li)  # 得到後直接序列化
            print(data,type(data))
            """
            result = models.Book.objects.filter(con).values('name', 'price', 'pubdate', 'book_type__caption')
            # ret = models.Book.objects.filter(con).values_list('name', 'book_type__caption')  # ret是queryset類型
            li = list(result)
            ret['status'] = True
            ret['data'] = li
        except Exception as e:  # 錯誤信息
            ret['message'] = str(e)  # 錯誤了就把錯誤信息放進去
        ret_str = json.dumps(ret, cls=JsonCustomEncoder)  # cls=JsonCustomEncoder循環每一個字段
        return HttpResponse(ret_str)  # 這裏只能返回字符串;把信息返回到前端
    return render(request, 'index.html')
views.py

Dom對象與JQuesry對象的轉換

index.html的關於Dom與JQuesry的知識補充

Dom對象與JQuery對象的相互轉換:
    document.getElementsTagName('div)[0]
 
jQuery對象
    $('div').first()
 
Dom對象轉換成JQuery對象:
    $(document.getElementsTagName('div)[0])  # 直接在Dom對象前加'$'
     
JQuery對象轉換成Dom對象:
    $('div').first()[0]  # 直在jQuery對象後加索引'[0]'
相關文章
相關標籤/搜索