我正在使用Rails项目中的数据库,并且正在尝试在其上构建Flask应用程序。
在那里有一些多态关联,我无法弄清楚如何使用Flask-SQLAlchemy进行复制。
例如,有一个“照片”模型,其中包含id
,url
,photoable_id
,photoable_type
属性,它可能属于{{1} },Artist
或Organization
。在我拥有的数据库中,Event
,Artist
和Organization
表格没有对照片的引用。
我在SQLAlchemy中找到了this approach的多态关联,但它需要创建一个关联表 - 有没有办法按原样使用模式?
答案 0 :(得分:3)
我要找的是outlined here。
以下是一对多关系的示例:
from app import db
from datetime import datetime
from sqlalchemy import event, and_
from sqlalchemy.orm import relationship, foreign, remote, backref
class HasPhotos():
pass
class Photo(db.Model):
__tablename__ = 'photos'
id = db.Column(db.Integer(), primary_key=True)
image = db.Column(db.String())
photoable_id = db.Column(db.Integer())
photoable_type = db.Column(db.String(50))
created_at = db.Column(db.DateTime(), default=datetime.utcnow)
updated_at = db.Column(db.DateTime(), default=datetime.utcnow)
@property
def parent(self):
return getattr(self, 'parent_{}'.format(self.photoable_type))
@event.listens_for(HasPhotos, 'mapper_configured', propagate=True)
def setup_listener(mapper, class_):
name = class_.__name__
type = name.lower()
class_.photos = relationship(Photo,
primaryjoin=and_(
class_.id == foreign(remote(Photo.photoable_id)),
Photo.photoable_type == type
),
backref=backref(
'parent_{}'.format(type),
primaryjoin=remote(class_.id) == foreign(Photo.photoable_id)
)
)
@event.listens_for(class_.photos, 'append')
def append_photo(target, value, initiator):
value.photoable_type = type
然后在定义具有此关系的类时,只需从HasPhotos
继承,例如
class Artist(HasPhotos, db.Model):
pass
要建立一对一的关系,只需将关键字参数uselist=False
添加到relationship()
调用,而不是监听append
事件,请监听{{ 1}}事件,例如:
set