Creating partial unique index with sqlalchemy on Postgres

前端 未结 3 903
难免孤独
难免孤独 2020-12-03 10:15

SQLAlchemy supports creating partial indexes in postgresql.

Is it possible to create a partial unique index through SQLAlchemy?

Imagine a table/model as so:<

相关标签:
3条回答
  • 2020-12-03 10:40

    In case someone stops by looking to set up a partial unique constraint with a column that can optionally be NULL, here's how:

    __table_args__ = (
        db.Index(
            'uk_providers_name_category',
            'name', 'category',
            unique=True,
            postgresql_where=(user_id.is_(None))),
        db.Index(
            'uk_providers_name_category_user_id',
            'name', 'category', 'user_id',
            unique=True,
            postgresql_where=(user_id.isnot(None))),
    )
    

    where user_id is a column that can be NULL and I want a unique constraint enforced across all three columns (name, category, user_id) with NULL just being one of the allowed values for user_id.

    0 讨论(0)
  • 2020-12-03 10:43
    class ScheduledPayment(Base):
        id = Column(Integer, primary_key=True)
        invoice_id = Column(Integer)
        is_canceled = Column(Boolean, default=False)
    
        __table_args__ = (
            Index('only_one_active_invoice', invoice_id, is_canceled,
                  unique=True,
                  postgresql_where=(~is_canceled)),
        )
    
    0 讨论(0)
  • 2020-12-03 10:47

    To add to the answer by sas, postgresql_where does not seem to be able to accept multiple booleans. So in the situation where you have TWO null-able columns (let's assume an additional 'price' column) it is not possible to have four partial indices for all combinations of NULL/~NULL.

    One workaround is to use default values which would never be 'valid' (e.g. -1 for price or '' for a Text column. These would compare correctly, so no more than one row would be allowed to have these default values.

    Obviously, you will also need to insert this default value in all existing rows of data (if applicable).

    0 讨论(0)
提交回复
热议问题