複数の列にわたって一意のsqlalchemy


174

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

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

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

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

回答:


298

抽出ドキュメントColumn

unique -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'),
                     )

私も同じ問題に直面していますが、UniqueConstraintを使用しても役に立ちませんでした。Index( '...')を試した後、一意の制約を取得します。この動作についての説明はありますか?
swdev 2013年

1
@swdev:どのRDBMSを使用していますか?
バン

3
ありがとう、しかし私の質問は、SA(およびFlask)を使用してDBスキーマを作成しましたか、それとも個別に作成しましたか?
バン

1
なぜ.c。中古?
スマイリー

1
@Smiley .c.は、へのショートカットです.columns.
van

7
from flask_sqlalchemy import SQLAlchemy
db = SQLAlchemy()

class Location(Base):
      __table_args__ = (
        # this can be db.PrimaryKeyConstraint if you want it to be a primary key
        db.UniqueConstraint('customer_id', 'location_code'))
      customer_id = Column(Integer,ForeignKey('customers.customer_id')
      location_code = Column(Unicode(10))

1
でなければなり__table_args__ = (db.UniqueConstraint('customer_id', 'location_code'),)ません。最後のコンマを忘れないでください。
bertdida
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.