MongoEngine - 文档继承
可以定义任何用户定义的 Document 类的继承类。 如果需要,继承的类可以添加额外的字段。 但是,由于这样的类不是 Document 类的直接子类,它不会创建新的集合,而是将其对象存储在其父类使用的集合中。在父类中,meta 属性'allow_inheritance 下面的例子,我们首先定义employee 为文档类,并设置allow_inheritance 为true。 salary 类派生自employee,增加了两个字段dept 和sal。 Employee 的对象以及 salary 类别存储在 employee 集合中。
在下面的例子中,我们首先将employee定义为文档类,并将allow_inheritance设置为true。 salary 类派生自employee,增加了两个字段dept 和sal。 Employee 的对象以及 salary 类别存储在 employee 集合中。
from mongoengine import * con=connect('newdb') class employee (Document): name=StringField(required=True) branch=StringField() meta={'allow_inheritance':True} class salary(employee): dept=StringField() sal=IntField() e1=employee(name='Bharat', branch='Chennai').save() s1=salary(name='Deep', branch='Hyderabad', dept='Accounts', sal=25000).save()
我们可以验证两个文档存储在 employee 集合中,如下所示 −
{ "_id":{"$oid":"5ebc34f44baa3752530b278a"}, "_cls":"employee", "name":"Bharat", "branch":"Chennai" } { "_id":{"$oid":"5ebc34f44baa3752530b278b"}, "_cls":"employee.salary", "name":"Deep", "branch":"Hyderabad", "dept":"Accounts", "sal":{"$numberInt":"25000"} }
请注意,为了标识相应的文档类,MongoEngine 添加了一个"_cls"字段并将其值设置为"employee"和"employee.salary"。
如果您想为一组文档类提供额外的功能,但没有继承的开销,您可以先创建一个抽象类,然后从该类派生一个或多个类。 要使类抽象,元属性"abstract"设置为 True。
from mongoengine import * con=connect('newdb') class shape (Document): meta={'abstract':True} def area(self): pass class rectangle(shape): width=IntField() height=IntField() def area(self): return self.width*self.height r1=rectangle(width=20, height=30).save()