3

我有一个关于 sqlalchemy 和 DB 规范化的问题。

我有一个名为 Accounts 的表,以及 2 种人,Natural_Persons 和 Legal_Persons。

我需要一次只将一个帐户与一个人关联起来。

例如,帐户 ID 4 与 Natural_Person ID 5 相关。

但是......当我查询该信息时,我如何知道账户记录中的 ID 5 是来自自然人还是法人?

最简单的解决方案(目前对我来说)是在 Accounts 表中添加一个名为 person_type 的新字段,并使用例如 char 来区分它们。

所以现在我在帐户表中有一条记录,其中包含以下数据:

account_id  = 4
person_id   = 5
person_type = N

但现在我想将数据库与 sqlalchemy 一起使用。

如果我使用 Account 类实例加载帐户记录,那么如果我访问“person”属性,它应该检查 person_type 字段并根据情况创建 NaturalPerson 类或 LegalPerson 类的实例!

就像是:

acc = Account(4)
acc.person

"""
if person_type == "L", person returns a LegalPerson instance
but otherwise ...
"""
4

1 回答 1

3

表继承是您正在寻找的:

from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy.orm import sessionmaker, relationship
from sqlalchemy import create_engine, Column, Integer, ForeignKey, String
Base = declarative_base()


class Account(Base):
    __tablename__ = 'account'
    id = Column(Integer, primary_key=True)
    person_id = Column(Integer, ForeignKey('person.id'))
    person = relationship("Person")


class Person(Base):
    __tablename__ = 'person'
    id = Column(Integer, primary_key=True)
    name = Column(String(50))
    type = Column(String(20))

    __mapper_args__ = {
        'polymorphic_on':type,
        'polymorphic_identity':'base'
    }


class NaturalPerson(Person):
    __mapper_args__ = {
        'polymorphic_identity':'natural'
    }


class LegalPerson(Person):
    __mapper_args__ = {
        'polymorphic_identity':'legal'
    }


engine = create_engine('sqlite:///:memory:', echo=True)

Base.metadata.create_all(engine)
Session = sessionmaker(bind=engine)
session = Session()

a = Account()
np = NaturalPerson()
a.person = np
session.add(a)

a = session.query(Account).first()
print type(a.person)
于 2013-08-29T11:46:25.097 回答