web-dev-qa-db-ja.com

複数の列で一意のsqlalchemy

場所を表すクラスがあるとしましょう。顧客に「属する」場所。場所は、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オプションは、特定のフィールドに適用された場合にのみ機能するようで、テーブル全体がすべての場所に対して一意のコードのみを持つようになります。

138
Ominus

Columnの-​​ documentation から抽出します。

unique– Trueの場合、この列にユニーク制約が含まれていること、またはindexがTrueの場合まあ、一意のフラグを使用してインデックスを作成する必要があることを示します。制約/インデックスで複数の列を指定するか、明示的な名前を指定するには、 niqueConstraint または 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):
    __table= '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'),
                     )
240
van