转载:http://my.oschina.net/u/572994/blog/105280

例如有如下模型

models.py

1
2
3
4
5
6
7
from django.db import models
 
class person(models.Model):
    name = CharField(max_length=30)
 
class book(models.Model):
    auther = ManyToManyField(person)<span></span>

假设p为一个person对象,b为一个book对象

1
2
3
4
5
6
7
8
9
10
11
#添加关联
b.auther.add(p)
 
#去除关联
b.auther.remove(p)
 
#返回所有作者
b.auther.all()
 
#反向查询,返回这个人写的所有书,book即为反向查询的模型名
p.book_set.all()

如果在models.py中

1
2
3
4
5
6
7
8
9
from django.db import models
 
class person(models.Model):
    name = CharField(max_length=30)
 
class book(models.Model):
    #当关联同一个模型的字段大于一个时,要使用related_name参数来指定表名
    auther = ManyToManyField(person,related_name="auther")
    translater = ManyToManyField(person,related_name="translater")

此时反向查询p.book_set.all()不可用,取而代之的为

1
2
3
4
5
#返回该人写的所有书,book_set被related_name中指定的表名代替
p.auther.all()
 
#返回该人翻译的所有书
p.translater.all()

转载:http://blog.csdn.net/fengyu09/article/details/17434795

要定义多对多关系,使用ManyToManyField字。 (注:django版本1.4)

本例中,一篇文章可以被很多出版社发表,而一个出版社也会发表多个文章。

  1. from django.db import models
  2. class Publication(models.Model):
  3. title = models.CharField(max_length=30)
  4. # On Python 3: def __str__(self):
  5. def __unicode__(self):
  6. return self.title
  7. class Meta:
  8. ordering = ('title',)
  9. class Article(models.Model):
  10. headline = models.CharField(max_length=100)
  11. publications = models.ManyToManyField(Publication)
  12. # On Python 3: def __str__(self):
  13. def __unicode__(self):
  14. return self.headline
  15. class Meta:
  16. ordering = ('headline',)

接下来我们使用Python API 功能执行操作的例子。

创建两个出版社:

  1. >>> p1 = Publication(title='The Python Journal')
  2. >>> p1.save()
  3. >>> p2 = Publication(title='Science News')
  4. >>> p2.save()
  5. >>> p3 = Publication(title='Science Weekly')
  6. >>> p3.save()

新建一个文章:

  1. >>> a1 = Article(headline='Django lets you build Web apps easily')

只有把它保存了,才能把它和出版社关联在一起。否则会出错如下:

  1. >>> a1.publications.add(p1)
  2. Traceback (most recent call last):
  3. ...
  4. ValueError: 'Article' instance needs to have a primary key value before a many-to-many relationship  can be used.

保存。

  1. >>> a1.save()

关联文章和出版社。

建立第2篇文章,让它在两个出版社中出现。

  1. >>> a2 = Article(headline='NASA uses Python')
  2. >>> a2.save()
  3. >>> a2.publications.add(p1, p2)
  4. >>> a2.publications.add(p3)

再次添加也OK

  1. >>> a2.publications.add(p3)

如果添加错误类型的对象会发生 TypeError:

  1. >>> a2.publications.add(a1)
  2. Traceback (most recent call last):
  3. ...
  4. TypeError: 'Publication' instance expected

使用create()一次创建并把出版社指派到一篇文章:

  1. >>> new_publication = a2.publications.create(title='Highlights for Children')

文章对象有权访问和它们相关联的出版社对象(物件):

  1. >>> a1.publications.all()
  2. [<Publication: The Python Journal>]
  3. >>> a2.publications.all()
  4. [<Publication: Highlights for Children>, <Publication: Science News>, <Publication: Science Weekly>, <Publication: The Python Journal>]

出版社对象也有权访问与它们相关联的文章对象:

  1. >>> p2.article_set.all()
  2. [<Article: NASA uses Python>]
  3. >>> p1.article_set.all()
  4. [<Article: Django lets you build Web apps easily>, <Article: NASA uses Python>]
  5. >>> Publication.objects.get(id=4).article_set.all()
  6. [<Article: NASA uses Python>]

使用  lookups across relationships 来query多对多关系:

  1. >>> Article.objects.filter(publications__id__exact=1)
  2. [<Article: Django lets you build Web apps easily>, <Article: NASA uses Python>]
  3. >>> Article.objects.filter(publications__pk=1)
  4. [<Article: Django lets you build Web apps easily>, <Article: NASA uses Python>]
  5. >>> Article.objects.filter(publications=1)
  6. [<Article: Django lets you build Web apps easily>, <Article: NASA uses Python>]
  7. >>> Article.objects.filter(publications=p1)
  8. [<Article: Django lets you build Web apps easily>, <Article: NASA uses Python>]
  9. >>> Article.objects.filter(publications__title__startswith="Science")
  10. [<Article: NASA uses Python>, <Article: NASA uses Python>]
  11. >>> Article.objects.filter(publications__title__startswith="Science").distinct()

count()函数与distinct()表现相同:

  1. >>> Article.objects.filter(publications__title__startswith="Science").count()
  2. 2
  3. >>> Article.objects.filter(publications__title__startswith="Science").distinct().count()
  4. 1
  5. >>> Article.objects.filter(publications__in=[1,2]).distinct()
  6. [<Article: Django lets you build Web apps easily>, <Article: NASA uses Python>]
  7. >>> Article.objects.filter(publications__in=[p1,p2]).distinct()
  8. [<Article: Django lets you build Web apps easily>, <Article: NASA uses Python>]

反向 m2m查询也被支持(如,开始的表格没有 ManyToManyField):

  1. >>> Publication.objects.filter(id__exact=1)
  2. [<Publication: The Python Journal>]
  3. >>> Publication.objects.filter(pk=1)
  4. [<Publication: The Python Journal>]
  5. >>> Publication.objects.filter(article__headline__startswith="NASA")
  6. [<Publication: Highlights for Children>, <Publication: Science News>, <Publication: Science Weekly>, <Publication: The Python Journal>]
  7. >>> Publication.objects.filter(article__id__exact=1)
  8. [<Publication: The Python Journal>]
  9. >>> Publication.objects.filter(article__pk=1)
  10. [<Publication: The Python Journal>]
  11. >>> Publication.objects.filter(article=1)
  12. [<Publication: The Python Journal>]
  13. >>> Publication.objects.filter(article=a1)
  14. [<Publication: The Python Journal>]
  15. >>> Publication.objects.filter(article__in=[1,2]).distinct()
  16. [<Publication: Highlights for Children>, <Publication: Science News>, <Publication: Science Weekly>, <Publication: The Python Journal>]<p></p><p>>>> Publication.objects.filter(article__in=[a1,a2]).distinct()
  17. [<Publication: Highlights for Children>, <Publication: Science News>, <Publication>, <Publication: Science Weekly>, <Publication: The Python Journal>]</p>

也可以按自己预期的那样排除一个相关的项目(尽管使用的SQL语句有一点复杂):

  1. >>> Article.objects.exclude(publications=p2)
  2. [<Article: Django lets you build Web apps easily>]

如果我们删除一个出版社,那么它的文章就不能够被访问:

  1. >>> p1.delete()
  2. >>> Publication.objects.all()
  3. [<Publication: Highlights for Children>, <Publication: Science News>,  <Publication: Science Weekly>]
  4. >>> a1 = Article.objects.get(pk=1)
  5. >>> a1.publications.all()
  6. []

如果我们删除一篇文章,则它的出版社也不能访问它:

  1. >>> a2.delete()
  2. >>> Article.objects.all()
  3. [<Article: Django lets you build Web apps easily>]
  4. >>> p2.article_set.all()
  5. []

经由m2m的另一方法来添加:

  1. >>> a4 = Article(headline='NASA finds intelligent life on Earth')
  2. >>> a4.save()
  3. >>> p2.article_set.add(a4)
  4. >>> p2.article_set.all()
  5. [<Article: NASA finds intelligent life on Earth>]
  6. >>> a4.publications.all()
  7. [<Publication: Science News>]

经由关键字的另一方法添加:

  1. >>> new_article = p2.article_set.create(headline='Oxygen-free diet works wonders')
  2. >>> p2.article_set.all()
  3. [<Article: NASA finds intelligent life on Earth>, <Article: Oxygen-free diet  works wonders>]
  4. >>> a5 = p2.article_set.all()[1]
  5. >>> a5.publications.all()
  6. [<Publication: Science News>]

从文章中移除出版社:

  1. >>> a4.publications.remove(p2)
  2. >>> p2.article_set.all()
  3. [<Article: Oxygen-free diet works wonders>]
  4. >>> a4.publications.all()
  5. []

从出版社中移除文章:

  1. >>> p2.article_set.remove(a5)
  2. >>> p2.article_set.all()
  3. []
  4. >>> a5.publications.all()
  5. []

关系集合可以被分配。分配时所有已经存在的集合成员会被清除:

  1. >>> a4.publications.all()
  2. [<Publication: Science News>]
  3. >>> a4.publications = [p3]
  4. >>> a4.publications.all()
  5. [<Publication: Science Weekly>]

关系集合可以清除:

  1. >>> p2.article_set.clear()
  2. >>> p2.article_set.all()
  3. []

而且你也可以从另一端清除(注:关系的另一端):

  1. >>> p2.article_set.add(a4, a5)
  2. >>> p2.article_set.all()
  3. [<Article: NASA finds intelligent life on Earth>, <Article: Oxygen-free diet works wonders>]
  4. >>> a4.publications.all()
  5. [<Publication: Science News>, <Publication: Science Weekly>]
  6. >>> a4.publications.clear()
  7. >>> a4.publications.all()
  8. []
  9. >>> p2.article_set.all()
  10. [<Article: Oxygen-free diet works wonders>]

重建我们删除过的文章和出版社:

  1. >>> p1 = Publication(title='The Python Journal')
  2. >>> p1.save()
  3. >>> a2 = Article(headline='NASA uses Python')
  4. >>> a2.save()
  5. >>> a2.publications.add(p1, p2, p3)

批量删除一些出版社-引用的被删出版社应当去掉:

  1. >>> Publication.objects.filter(title__startswith='Science').delete()
  2. >>> Publication.objects.all()
  3. >>> Article.objects.all()
  4. [<Article: Django lets you build Web apps easily>, <Article: NASA finds intelligent life on Earth>, <Article: NASA uses Python>,<Article: Oxygen-free diet works wonders>]
  5. >>> a2.publications.all()
  6. [<Publication: The Python Journal>]

批量删除一些文章-引用的被删除对象应当去掉:

  1. >>> q = Article.objects.filter(headline__startswith='Django')
  2. >>> print(q)
  3. [<Article: Django lets you build Web apps easily>]
  4. >>> q.delete()

在delete()以后,QuerySet缓存需要清理,而且引用对象应该被去掉:

  1. >>> print(q)
  2. []
  3. >>> p1.article_set.all()
  4. [<Article: NASA uses Python>]

除了调用clear()之外,可以赋值一个空的集合:

  1. >>> p1.article_set = []
  2. >>> p1.article_set.all()
  3. []
  4. >>> a2.publications = [p1, new_publication]
  5. >>> a2.publications.all()
  6. [<Publication: Highlights for Children>, <Publication: The Python  Journal>]
  7. >>> a2.publications = []
  8. >>> a2.publications.all()
  9. []

附:

The Django Book中的1个例子。

按部就班照着它做,没看到它写如何添加Book。

model.py类

  1. #coding=utf-8
  2. from django.db import models
  3. class Publisher(models.Model):
  4. name=models.CharField(max_length=30)
  5. address=models.CharField(max_length=50)
  6. city=models.CharField(max_length=60)
  7. state_province=models.CharField(max_length=30)
  8. country=models.CharField(max_length=50)
  9. website=models.URLField()
  10. def __unicode__(self):
  11. return self.name
  12. class Meta:
  13. ordering=['name']
  14. class Author(models.Model):
  15. first_name=models.CharField(max_length=100)
  16. last_name=models.CharField(max_length=40)
  17. email=models.EmailField(max_length=40,verbose_name='email_address',blank=True)
  18. def __unicode__(self):
  19. return u'%s %s' % (self.first_name,self.last_name)
  20. class Book(models.Model):
  21. title=models.CharField(max_length=100)
  22. authors=models.ManyToManyField(Author)
  23. publisher=models.ForeignKey(Publisher)
  24. publication_date=models.DateField()
  25. def __unicode__(self):
  26. return

生成的表是(这里使用mysql):

表中字段为:

setting.py中installed app要加上mysite.books。

cmd进入命令行,在站点下运行命令:

  1. I:\mysite>manage.py shell
  1. >>>from mysite.books.models import Publisher,Author,Book
  2. >>>import datetime
  3. >>>b1=Book(title='Beginer osf Labview',publisher=Publisher.objects.all()[1],publication_date=datetime.datetime.strptime('20130726','%Y%m%d'))
  4. >>>b1.save()  #保存一下,得到一个book的ID
  5. >>>b1.authors.add(Author.objects.all()[1])
  6. >>>b1<Book: Beginer osf Labview>>>> Book.objects.all()[<Book: Learn C>, <Book: Learn Python>, <Book: Beginer osf Labview>]

b1在新建时,需要把出版社和日期都包含进来。否则会出错:

  1. >>>b2=Book()
  2. >>>b2.save()
  3. IntegrityError: (1048, "Column 'publisher_id' cannot be null")

在Book类中可以看到Publisher是外键,在表中会有一个publisher_id不允许为空。

而对于ManyToMany字段,Book中的Author只能使用add方法来添加,添加之前需要通过save()取得一个book的id。

Add以后,不用再次save,也可以保存到数据库?

django manytomany的更多相关文章

  1. Django 之 ForeignKey、ManyToMany的访问方式

    1.ForeignKey 情况I: from django.db import models class Blog(models.Model): pass class Entry(models.Mod ...

  2. Django的Many-to-Many(多对多)模型

      Django的Many-to-Many(多对多)模型 日期:2012-05-05 |  来源:未知 |  作者:redice |  人围观 |  1 人鼓掌了! 鲲鹏Web数据抓取 - 专业Web ...

  3. Django基础四<二>(OneToMany和 ManyToMany,ModelForm)

    上一篇博文是关于setting.py文件数据库的配置以及model与数据库表关系,实现了通过操作BlogUser,把BlogUser的信息存入后台数据库中.实际开发中有许多东西是相互联系的,除了数据的 ...

  4. Django实战(19):自定义many-to-many关系,实现Atom订阅

    记得有人跟我说过,rails的has_many :through是一个”亮点“,在Django看来,该功能简直不值一提.rails中的many-to-many关联中,还需要你手工创建关联表(写 mig ...

  5. [py]django的manytomany字段和后台搜索过滤功能

    我本来想搞下Django之select_related和prefetch_related的区别,看到这里有djangoapi的知识, 之前搞过django restfulapi,http://blog ...

  6. Django, one-to-many, many-to-many

    1.定义关系 定义三个表,Publisher,Book,Author 一个作者有姓,有名及email地址. 出版商有名称,地址,所在城市.省,国家,网站. 书籍有书名和出版日期. 它有一个或多个作者( ...

  7. django如何用orm增加manytomany关系字段(自定义表名)

    不自定义表名的,网上有现成的,但如果自定义之后,则要变通一下了. app_insert = App.objects.get(name=app_name) site_insert = Site.obje ...

  8. python django的ManyToMany简述

    Django的多对多关系 在Django的关系中,有一对一,一对多,多对多的关系 我们这里谈的是多对多的关系 ==我们首先来设计一个用于示例的表结构== # -*- coding: utf-8 -*- ...

  9. manytomany django 正查, 反查

    models from django.db import models from django.contrib.auth.models import User class GroupSheet(mod ...

随机推荐

  1. vtkMapper

    本文只是整理了该网页的内容:http://www.cnblogs.com/lizhengjin/archive/2009/08/16/1547340.html vtkMapper是一个抽象类,指定了几 ...

  2. SQL 的坑1 除法“”不可用“”

    今天工作中遇见 一问题,有5各部分,现要求5个部分各自的比例,SQL语句没有问题,后来还试了"加","减","乘","Round& ...

  3. [Math] 常见的几种最优化方法

    我们每个人都会在我们的生活或者工作中遇到各种各样的最优化问题,比如每个企业和个人都要考虑的一个问题“在一定成本下,如何使利润最大化”等.最优化方法是一种数学方法,它是研究在给定约束之下如何寻求某些因素 ...

  4. 2012 Multi-University Training Contest 9 / hdu4389

    2012 Multi-University Training Contest 9 / hdu4389 打巨表,实为数位dp 还不太懂 先这样放着.. 对于打表,当然我们不能直接打,这里有技巧.我们可以 ...

  5. 如何对Azure磁盘性能进行测试

    Azure的云存储一直是Azure比较自豪的东西,想到AWS的LSA后面有若干个9,搞得大家都以为它的存储最优秀,其实不然,Azure存储到现在没有丢过客户1bit的数据,但是Azure不会去说我们的 ...

  6. DAY6 使用ping钥匙临时开启SSH:22端口,实现远程安全SSH登录管理就这么简单

    设置防火墙策略时,关于SSH:22访问权限,我们常常会设置服务器只接受某个固定IP(如公司IP)访问,但是当我们出差或在家情况需要登录服务器怎么办呢? 常用两种解决方案:1.通过VPN操作登录主机: ...

  7. MySQL 视图

    一.视图是一种虚拟存在的表,并不在数据库中实际存在.数据来自于视频中查询使用的表,在使用视图时动态生成的. 二.视图的优势: (A) 简单:已经是过滤好的复合条件的结果集 (B) 安全:表的权限不能限 ...

  8. 解决Can't connect to MySQL server on 'localhost' (10048)

    解决Can't connect to MySQL server on 'localhost' (10048) 您使用的是Windows操作系统,此错误与一个注册表键值TcpTimedWaitDelay ...

  9. Unity3D 查找Update函数体为空的类

    如果是大项目,有很多Update空跑还是多少有些效率损耗,那我们就把他们都找出来. 先引用Mono.Cecil //代码 using UnityEngine; using UnityEditor; u ...

  10. Java 读写XML

    package dome4jTest; import java.io.FileWriter; import java.io.IOException; import java.net.URL; impo ...