19

考虑此代码(并使用 SQLAlchemy 0.7.7):

class Document(Base):
    __tablename__ = 'document'
    __table_args__ = {
        'schema': 'app'
    }

    id = Column(types.Integer, primary_key=True)
    nom = Column(types.Unicode(256), nullable=False)
    date = Column(types.Date())

    type_document = Column(types.Enum('arrete', 'photographie',
        name='TYPES_DOCUMENT_ENUM'))
    __mapper_args__ = {'polymorphic_on': type_document}

class Arrete(Document):
    __tablename__ = 'arrete'
    __table_args__ = {
        'schema': 'app'
    }
    __mapper_args__ = {'polymorphic_identity': 'arrete'}

    id = Column(types.Integer, ForeignKey('app.document.id'), primary_key=True)
    numero_arrete = Column(types.Integer)
    date_arrete = Column(types.Date())

我可以轻松地检查类中定义的列的列类型Arrete

Arrete.__table__.c['date_arrete'].type

Arrete但是,如果我想通过类访问在类中定义的列,这不起作用Document。(如果我尝试访问 KeyError c['date'])。

有没有办法获取列类型,无论该列是在最终类中还是在其父类中定义的?

4

3 回答 3

32

ORM 允许您以对应于两个表的 JOIN 的继承模式定义类。这个结构是全方位的服务,也可以用来找出基本的东西,比如列上的属性类型,非常直接:

type = Arrete.date.property.columns[0].type

请注意,这与 trugging through 的方法基本相同__bases__,只是您让 Python 的普通类机制来完成这项工作。

于 2012-07-24T15:57:26.247 回答
7

您可以探索基类...

def find_type(class_, colname):
    if hasattr(class_, '__table__') and colname in class_.__table__.c:
        return class_.__table__.c[colname].type
    for base in class_.__bases__:
        return find_type(base, colname)
    raise NameError(colname)

print find_type(Arrete, 'date_arrete')
print find_type(Arrete, 'date')
于 2012-07-24T14:58:45.493 回答
0

您需要抽象的特殊指令mixin 模式

对于mixin,你会使用这样的东西:

class MyMixin(object):
    __tablename__ = 'document'
    __table_args__ = {
        'schema': 'app'
    }

    id = Column(types.Integer, primary_key=True)
    nom = Column(types.Unicode(256), nullable=False)
    date = Column(types.Date())

class Arrete(MyMixin, Base):
    __tablename__ = 'arrete'

    __mapper_args__ = {'polymorphic_identity': 'arrete'}

    foreign_id = Column(types.Integer, ForeignKey('app.document.id'), primary_key=True)
    numero_arrete = Column(types.Integer)
    date_arrete = Column(types.Date())


class Document(MyMixin, Base):
    __tablename__ = 'Document'
    type_document = Column(types.Enum('arrete', 'photographie',
        name='TYPES_DOCUMENT_ENUM'))
    __mapper_args__ = {'polymorphic_on': type_document}

共享的东西放在 mixin 中,非共享的东西放在子类中。

于 2012-07-24T14:29:09.937 回答