Setting a default value in sqlalchemy

PythonSqlalchemy

Python Problem Overview


I would like to set a column default value that is based on another table in my SQLAlchemy model.

Currently I have this:

Column('version', Integer, default=1)

What I need is (roughly) this:

Column('version', Integer, default="SELECT MAX(1, MAX(old_versions)) FROM version_table")

How can I implement this in SQLAlchemy?

Python Solutions


Solution 1 - Python

The documentation gives the following possibilities for default:

> A scalar, Python callable, or ClauseElement representing the default > value for this column, which will be invoked upon insert if this > column is otherwise not specified in the VALUES clause of the insert.

You may look into using a simple function, or you may just be able to use a select() object.

In your case, maybe something along the lines of:

from sqlalchemy.sql import select, func
...
Column('version', Integer, default=select([func.max(1,
    func.max(version_table.c.old_versions))]))

Solution 2 - Python

You want server_default

Column('version', Integer, server_default="SELECT MAX(1, MAX(old_versions)) FROM version_table")

Solution 3 - Python

If you want to use a DML statement to generate the default value, you can simply use the text method to indicate that you are passing DML. You may also need an extra set of parentheses if the engine wants to write this inside a VALUES clause , e.g.:

from sqlachemy import text
Column('version', Integer, default=text("(SELECT MAX(1, MAX(old_versions)) FROM version_table)"))

I've used this technique to use a sequence to override the server default ID generation, e.g.:

Column('version', Integer, default=text("NEXT VALUE FOR someSequence"))

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionChris RView Question on Stackoverflow
Solution 1 - PythonvoithosView Answer on Stackoverflow
Solution 2 - PythonmarkmnlView Answer on Stackoverflow
Solution 3 - PythonjsnowView Answer on Stackoverflow