226

場所を表すクラスがあるとしましょう。場所は顧客に「属します」。場所は Unicode 10 文字コードで識別されます。「ロケーション コード」は、特定の顧客のロケーション間で一意である必要があります。

The two below fields in combination should be unique
customer_id = Column(Integer,ForeignKey('customers.customer_id')
location_code = Column(Unicode(10))

したがって、顧客「123」と顧客「456」の 2 人の顧客がいるとします。どちらも「メイン」と呼ばれる場所を持つことができますが、どちらもメインと呼ばれる場所を 2 つ持つことはできません。

ビジネスロジックでこれを処理できますが、sqlalchemy で要件を簡単に追加する方法がないことを確認したいと考えています。unique=True オプションは、特定のフィールドに適用された場合にのみ機能するようであり、テーブル全体がすべての場所に対して一意のコードのみを持つようになります。

4

2 に答える 2

386

:のドキュメントから抽出します。Column

一意– Trueの場合、この列に一意の制約が含まれていることを示します。インデックスもTrueの場合、インデックスは一意のフラグを使用して作成する必要があることを示します。制約/インデックスに複数の列を指定するか、明示的な名前を指定するには、 UniqueConstraintまたはIndexコンストラクトを明示的に使用します。

これらはマップされたクラスではなくテーブルに属しているため、テーブル定義で宣言するか、:のように宣言型を使用する場合は宣言します__table_args__

# version1: table definition
mytable = Table('mytable', meta,
    # ...
    Column('customer_id', Integer, ForeignKey('customers.customer_id')),
    Column('location_code', Unicode(10)),

    UniqueConstraint('customer_id', 'location_code', name='uix_1')
    )
# or the index, which will ensure uniqueness as well
Index('myindex', mytable.c.customer_id, mytable.c.location_code, unique=True)


# version2: declarative
class Location(Base):
    __tablename__ = 'locations'
    id = Column(Integer, primary_key = True)
    customer_id = Column(Integer, ForeignKey('customers.customer_id'), nullable=False)
    location_code = Column(Unicode(10), nullable=False)
    __table_args__ = (UniqueConstraint('customer_id', 'location_code', name='_customer_location_uc'),
                     )
于 2012-04-08T07:26:01.010 に答える