summaryrefslogtreecommitdiff
diff options
context:
space:
mode:
-rw-r--r--doc/build/changelog/unreleased_14/5362.rst9
-rw-r--r--doc/build/core/defaults.rst91
-rw-r--r--lib/sqlalchemy/__init__.py2
-rw-r--r--lib/sqlalchemy/dialects/mssql/base.py88
-rw-r--r--lib/sqlalchemy/dialects/oracle/base.py61
-rw-r--r--lib/sqlalchemy/dialects/postgresql/base.py82
-rw-r--r--lib/sqlalchemy/schema.py2
-rw-r--r--lib/sqlalchemy/sql/compiler.py54
-rw-r--r--lib/sqlalchemy/sql/schema.py167
-rw-r--r--lib/sqlalchemy/testing/plugin/pytestplugin.py9
-rw-r--r--lib/sqlalchemy/testing/requirements.py14
-rw-r--r--lib/sqlalchemy/testing/suite/test_select.py80
-rw-r--r--test/dialect/mssql/test_compiler.py327
-rw-r--r--test/dialect/mssql/test_query.py5
-rw-r--r--test/dialect/mssql/test_reflection.py5
-rw-r--r--test/dialect/oracle/test_compiler.py39
-rw-r--r--test/dialect/postgresql/test_compiler.py15
-rw-r--r--test/orm/test_defaults.py85
-rw-r--r--test/requirements.py8
-rw-r--r--test/sql/test_computed.py14
-rw-r--r--test/sql/test_identity_column.py239
21 files changed, 1223 insertions, 173 deletions
diff --git a/doc/build/changelog/unreleased_14/5362.rst b/doc/build/changelog/unreleased_14/5362.rst
new file mode 100644
index 000000000..1f9fa8912
--- /dev/null
+++ b/doc/build/changelog/unreleased_14/5362.rst
@@ -0,0 +1,9 @@
+.. change::
+ :tags: schema, sql
+ :tickets: 5362, 5324, 5360
+
+ Added the :class:`_schema.Identity` construct that can be used to
+ configure identity columns rendered with GENERATED { ALWAYS |
+ BY DEFAULT } AS IDENTITY. Currently the supported backends are
+ PostgreSQL >= 10, Oracle >= 12 and MSSQL (with different syntax
+ and a subset of functionalities).
diff --git a/doc/build/core/defaults.rst b/doc/build/core/defaults.rst
index 3884faa86..341db5a99 100644
--- a/doc/build/core/defaults.rst
+++ b/doc/build/core/defaults.rst
@@ -625,6 +625,8 @@ eagerly fetched.
* Microsoft SQL Server
+* SQLite as of version 3.31
+
* Firebird
When :class:`.Computed` is used with an unsupported backend, if the target
@@ -638,6 +640,92 @@ DDL is emitted to the database.
:class:`.Computed`
+.. _identity_ddl:
+
+Identity Columns (GENERATED { ALWAYS | BY DEFAULT } AS IDENTITY)
+--------------------------------------------------------------
+
+.. versionadded:: 1.4
+
+The :class:`.Identity` construct allows a :class:`_schema.Column` to be declared
+as an identity column and rendered in DDL as "GENERATED { ALWAYS | BY DEFAULT }
+AS IDENTITY". An identity column has its value automatically generated by the
+database server using an incrementing (or decrementing) sequence. The construct
+shares most of its option to control the database behaviour with
+:class:`.Sequence`.
+
+Example::
+
+ from sqlalchemy import Table, Column, MetaData, Integer, Computed
+
+ metadata = MetaData()
+
+ data = Table(
+ "data",
+ metadata,
+ Column('id', Integer, Identity(start=42, cycle=True), primary_key=True),
+ Column('data', String)
+ )
+
+The DDL for the ``data`` table when run on a PostgreSQL 12 backend will look
+like::
+
+ CREATE TABLE data (
+ id INTEGER GENERATED BY DEFAULT AS IDENTITY (START WITH 42 CYCLE) NOT NULL,
+ data VARCHAR,
+ PRIMARY KEY (id)
+ )
+
+The database will generate a value for the ``id`` column upon insert,
+starting from ``42``, if the statement did not already contain a value for
+the ``id`` column.
+An identity column can also require that the database generate the value
+of the column, ignoring the value passed with the statement or raising an
+error, depending on backend. To activate this mode, specify the parameter
+``always=True`` in the :class:`.Identity` construct. Updating the previous
+example to include this parameter will generate the following DDL::
+
+ CREATE TABLE data (
+ id INTEGER GENERATED ALWAYS AS IDENTITY (START WITH 42 CYCLE) NOT NULL,
+ data VARCHAR,
+ PRIMARY KEY (id)
+ )
+
+..TODO: not sure if we will actually implement it this way. server onupdate seems
+ unnecessary?
+
+The :class:`.Identity` construct is a subclass of the :class:`.FetchedValue`
+object, and will set itself up as the "server default" generator for the
+target :class:`_schema.Column`, meaning it will be treated
+as a default generating column when INSERT statements are generated,
+as well as that it will be fetched as a generating column when using the ORM.
+This includes that it will be part of the RETURNING clause of the database
+for databases which support RETURNING and the generated values are to be
+eagerly fetched.
+
+The :class:`.Identity` construct is currently known to be supported by:
+
+* PostgreSQL as of version 10.
+
+* Oracle as of version 12. Oracle also support passing ``always=None`` to
+ enable the default generated mode and the parameter ``on_null=True`` to
+ specify "ON NULL" in conjunction with a 'by default' identity column.
+
+* Microsoft SQL Server. MSSQL uses a custom syntax that only supports the
+ ``start`` and ``increment`` parameters, and ignores all other.
+
+When :class:`.Identity` is used with an unsupported backend, it is ignored,
+and the default SQLAlchemy logic for autoincrementing columns is used.
+
+An error is raised when a :class:`_schema.Column` specifies both an
+:class:`.Identity` and also set :paramref:`_schema.Column.autoincrement`
+to ``False``.
+
+.. seealso::
+
+ :class:`.Identity`
+
+
Default Objects API
-------------------
@@ -661,4 +749,5 @@ Default Objects API
:members:
-.. autoclass:: IdentityOptions
+.. autoclass:: Identity
+ :members:
diff --git a/lib/sqlalchemy/__init__.py b/lib/sqlalchemy/__init__.py
index 3a244a95f..d2c99b5b2 100644
--- a/lib/sqlalchemy/__init__.py
+++ b/lib/sqlalchemy/__init__.py
@@ -21,7 +21,7 @@ from .schema import DefaultClause # noqa
from .schema import FetchedValue # noqa
from .schema import ForeignKey # noqa
from .schema import ForeignKeyConstraint # noqa
-from .schema import IdentityOptions # noqa
+from .schema import Identity # noqa
from .schema import Index # noqa
from .schema import MetaData # noqa
from .schema import PrimaryKeyConstraint # noqa
diff --git a/lib/sqlalchemy/dialects/mssql/base.py b/lib/sqlalchemy/dialects/mssql/base.py
index 0ec6cf8a3..949bd44df 100644
--- a/lib/sqlalchemy/dialects/mssql/base.py
+++ b/lib/sqlalchemy/dialects/mssql/base.py
@@ -38,7 +38,7 @@ The above example will generate DDL as:
.. sourcecode:: sql
CREATE TABLE t (
- id INTEGER NOT NULL IDENTITY(1,1),
+ id INTEGER NOT NULL IDENTITY,
x INTEGER NULL,
PRIMARY KEY (id)
)
@@ -65,17 +65,25 @@ is set to ``False`` on any integer primary key column::
Column('x', Integer, autoincrement=True))
m.create_all(engine)
-.. versionchanged:: 1.3 Added ``mssql_identity_start`` and
- ``mssql_identity_increment`` parameters to :class:`_schema.Column`.
- These replace
+.. versionchanged:: 1.4 Added :class:`_schema.Identity` construct
+ in a :class:`_schema.Column` to specify the start and increment
+ parameters of an IDENTITY. These replace
the use of the :class:`.Sequence` object in order to specify these values.
+.. deprecated:: 1.4
+
+ The ``mssql_identity_start`` and ``mssql_identity_increment`` parameters
+ to :class:`_schema.Column` are deprecated and should we replaced by
+ an :class:`_schema.Identity` object. Specifying both ways of configuring
+ an IDENTITY will result in a compile error.
+
.. deprecated:: 1.3
The use of :class:`.Sequence` to specify IDENTITY characteristics is
deprecated and will be removed in a future release. Please use
- the ``mssql_identity_start`` and ``mssql_identity_increment`` parameters
- documented at :ref:`mssql_identity`.
+ the :class:`_schema.Identity` object parameters
+ :paramref:`_schema.Identity.start` and
+ :paramref:`_schema.Identity.increment`.
.. versionchanged:: 1.4 Removed the ability to use a :class:`.Sequence`
object to modify IDENTITY characteristics. :class:`.Sequence` objects
@@ -108,16 +116,18 @@ Controlling "Start" and "Increment"
Specific control over the "start" and "increment" values for
the ``IDENTITY`` generator are provided using the
-``mssql_identity_start`` and ``mssql_identity_increment`` parameters
-passed to the :class:`_schema.Column` object::
+:paramref:`_schema.Identity.start` and :paramref:`_schema.Identity.increment`
+parameters passed to the :class:`_schema.Identity` object::
- from sqlalchemy import Table, Integer, Column
+ from sqlalchemy import Table, Integer, Column, Identity
test = Table(
'test', metadata,
Column(
- 'id', Integer, primary_key=True, mssql_identity_start=100,
- mssql_identity_increment=10
+ 'id',
+ Integer,
+ primary_key=True,
+ Identity(start=100, increment=10)
),
Column('name', String(20))
)
@@ -131,12 +141,18 @@ The CREATE TABLE for the above :class:`_schema.Table` object would be:
name VARCHAR(20) NULL,
)
-.. versionchanged:: 1.3 The ``mssql_identity_start`` and
- ``mssql_identity_increment`` parameters are now used to affect the
+.. note::
+
+ The :class:`_schema.Identity` object supports many other parameter in
+ addition to ``start`` and ``increment``. These are not supported by
+ SQL Server and will be ignored when generating the CREATE TABLE ddl.
+
+.. versionchanged:: 1.3.19 The :class:`_schema.Identity` object is
+ now used to affect the
``IDENTITY`` generator for a :class:`_schema.Column` under SQL Server.
Previously, the :class:`.Sequence` object was used. As SQL Server now
supports real sequences as a separate construct, :class:`.Sequence` will be
- functional in the normal way in a future SQLAlchemy version.
+ functional in the normal way starting from SQLAlchemy version 1.4.
INSERT behavior
^^^^^^^^^^^^^^^^
@@ -717,6 +733,7 @@ import re
from . import information_schema as ischema
from ... import exc
+from ... import Identity
from ... import schema as sa_schema
from ... import Sequence
from ... import sql
@@ -2079,6 +2096,7 @@ class MSDDLCompiler(compiler.DDLCompiler):
or column.primary_key
or isinstance(column.default, sa_schema.Sequence)
or column.autoincrement is True
+ or column.identity
):
colspec += " NOT NULL"
elif column.computed is None:
@@ -2091,16 +2109,33 @@ class MSDDLCompiler(compiler.DDLCompiler):
"in order to generate DDL"
)
- if (
+ d_opt = column.dialect_options["mssql"]
+ start = d_opt["identity_start"]
+ increment = d_opt["identity_increment"]
+ if start is not None or increment is not None:
+ if column.identity:
+ raise exc.CompileError(
+ "Cannot specify options 'mssql_identity_start' and/or "
+ "'mssql_identity_increment' while also using the "
+ "'Identity' construct."
+ )
+ util.warn_deprecated(
+ "The dialect options 'mssql_identity_start' and "
+ "'mssql_identity_increment' are deprecated. "
+ "Use the 'Identity' object instead.",
+ "1.4",
+ )
+
+ if column.identity:
+ colspec += self.process(column.identity, **kwargs)
+ elif (
column is column.table._autoincrement_column
or column.autoincrement is True
):
if not isinstance(column.default, Sequence):
- start = column.dialect_options["mssql"]["identity_start"]
- increment = column.dialect_options["mssql"][
- "identity_increment"
- ]
- colspec += " IDENTITY(%s,%s)" % (start, increment)
+ colspec += self.process(
+ Identity(start=start, increment=increment)
+ )
else:
default = self.get_column_default_string(column)
if default is not None:
@@ -2231,6 +2266,14 @@ class MSDDLCompiler(compiler.DDLCompiler):
create, prefix=prefix, **kw
)
+ def visit_identity_column(self, identity, **kw):
+ text = " IDENTITY"
+ if identity.start is not None or identity.increment is not None:
+ start = 1 if identity.start is None else identity.start
+ increment = 1 if identity.increment is None else identity.increment
+ text += "(%s,%s)" % (start, increment)
+ return text
+
class MSIdentifierPreparer(compiler.IdentifierPreparer):
reserved_words = RESERVED_WORDS
@@ -2447,7 +2490,10 @@ class MSDialect(default.DefaultDialect):
(sa_schema.PrimaryKeyConstraint, {"clustered": None}),
(sa_schema.UniqueConstraint, {"clustered": None}),
(sa_schema.Index, {"clustered": None, "include": None, "where": None}),
- (sa_schema.Column, {"identity_start": 1, "identity_increment": 1}),
+ (
+ sa_schema.Column,
+ {"identity_start": None, "identity_increment": None},
+ ),
]
def __init__(
diff --git a/lib/sqlalchemy/dialects/oracle/base.py b/lib/sqlalchemy/dialects/oracle/base.py
index 7cb9aae57..2e5ce2581 100644
--- a/lib/sqlalchemy/dialects/oracle/base.py
+++ b/lib/sqlalchemy/dialects/oracle/base.py
@@ -18,10 +18,47 @@ Auto Increment Behavior
SQLAlchemy Table objects which include integer primary keys are usually
assumed to have "autoincrementing" behavior, meaning they can generate their
-own primary key values upon INSERT. Since Oracle has no "autoincrement"
+own primary key values upon INSERT. For use within Oracle, two options are
+available, which are the use of IDENTITY columns (Oracle 12 and above only)
+or the association of a SEQUENCE with the column.
+
+Specifying GENERATED AS IDENTITY (Oracle 12 and above)
+^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+
+Starting from version 12 Oracle can make use of identity columns using
+the :class:`_sql.Identity` to specify the autoincrementing behavior::
+
+ t = Table('mytable', metadata,
+ Column('id', Integer, Identity(start=3), primary_key=True),
+ Column(...), ...
+ )
+
+The CREATE TABLE for the above :class:`_schema.Table` object would be:
+
+.. sourcecode:: sql
+
+ CREATE TABLE mytable (
+ id INTEGER GENERATED BY DEFAULT AS IDENTITY (START WITH 3) NOT NULL,
+ ...,
+ PRIMARY KEY (id)
+ )
+
+The :class:`_schema.Identity` object support many options to control the
+"autoincrementing" behavior of the column, like the starting value, the
+incrementing value, etc.
+In addition to the standard options, Oracle supports setting
+:paramref:`_schema.Identity.always` to ``None`` to use the default
+generated mode, rendering GENERATED AS IDENTITY in the DDL. It also supports
+setting :paramref:`_schema.Identity.on_null` to ``True`` to specify ON NULL
+in conjunction with a 'BY DEFAULT' identity column.
+
+Using a SEQUENCE (all Oracle versions)
+^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+
+Older version of Oracle had no "autoincrement"
feature, SQLAlchemy relies upon sequences to produce these values. With the
-Oracle dialect, *a sequence must always be explicitly specified to enable
-autoincrement*. This is divergent with the majority of documentation
+older Oracle versions, *a sequence must always be explicitly specified to
+enable autoincrement*. This is divergent with the majority of documentation
examples which assume the usage of an autoincrement-capable database. To
specify sequences, use the sqlalchemy.schema.Sequence object which is passed
to a Column construct::
@@ -38,6 +75,10 @@ This step is also required when using table reflection, i.e. autoload=True::
autoload=True
)
+.. versionchanged:: 1.4 Added :class:`_schema.Identity` construct
+ in a :class:`_schema.Column` to specify the option of an autoincrementing
+ column.
+
Transaction Isolation Level / Autocommit
----------------------------------------
@@ -1252,6 +1293,20 @@ class OracleDDLCompiler(compiler.DDLCompiler):
text += " VIRTUAL"
return text
+ def visit_identity_column(self, identity, **kw):
+ if identity.always is None:
+ kind = ""
+ else:
+ kind = "ALWAYS" if identity.always else "BY DEFAULT"
+ text = "GENERATED %s" % kind
+ if identity.on_null:
+ text += " ON NULL"
+ text += " AS IDENTITY"
+ options = self.get_identity_options(identity)
+ if options:
+ text += " (%s)" % options
+ return text
+
class OracleIdentifierPreparer(compiler.IdentifierPreparer):
diff --git a/lib/sqlalchemy/dialects/postgresql/base.py b/lib/sqlalchemy/dialects/postgresql/base.py
index 7717a2526..db90e5056 100644
--- a/lib/sqlalchemy/dialects/postgresql/base.py
+++ b/lib/sqlalchemy/dialects/postgresql/base.py
@@ -43,40 +43,75 @@ case.
To force the usage of RETURNING by default off, specify the flag
``implicit_returning=False`` to :func:`_sa.create_engine`.
-PostgreSQL 10 IDENTITY columns
-^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
+PostgreSQL 10 and above IDENTITY columns
+^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
-PostgreSQL 10 has a new IDENTITY feature that supersedes the use of SERIAL.
-Built-in support for rendering of IDENTITY is not available yet, however the
-following compilation hook may be used to replace occurrences of SERIAL with
-IDENTITY::
+PostgreSQL 10 and above have a new IDENTITY feature that supersedes the use
+of SERIAL. The :class:`_schema.Identity` construct in a
+:class:`_schema.Column` can be used to control its behavior::
- from sqlalchemy.schema import CreateColumn
- from sqlalchemy.ext.compiler import compiles
+ from sqlalchemy import Table, Column, MetaData, Integer, Computed
+ metadata = MetaData()
- @compiles(CreateColumn, 'postgresql')
- def use_identity(element, compiler, **kw):
- text = compiler.visit_create_column(element, **kw)
- text = text.replace("SERIAL", "INT GENERATED BY DEFAULT AS IDENTITY")
- return text
-
-Using the above, a table such as::
-
- t = Table(
- 't', m,
- Column('id', Integer, primary_key=True),
+ data = Table(
+ "data",
+ metadata,
+ Column(
+ 'id', Integer, Identity(start=42, cycle=True), primary_key=True
+ ),
Column('data', String)
)
-Will generate on the backing database as::
+The CREATE TABLE for the above :class:`_schema.Table` object would be:
+
+.. sourcecode:: sql
- CREATE TABLE t (
- id INT GENERATED BY DEFAULT AS IDENTITY NOT NULL,
+ CREATE TABLE data (
+ id INTEGER GENERATED BY DEFAULT AS IDENTITY (START WITH 42 CYCLE)
+ NOT NULL,
data VARCHAR,
PRIMARY KEY (id)
)
+.. versionchanged:: 1.4 Added :class:`_schema.Identity` construct
+ in a :class:`_schema.Column` to specify the option of an autoincrementing
+ column.
+
+.. note::
+
+ Previous versions of SQLAlchemy did not have built-in support for rendering
+ of IDENTITY, and could use the following compilation hook to replace
+ occurrences of SERIAL with IDENTITY::
+
+ from sqlalchemy.schema import CreateColumn
+ from sqlalchemy.ext.compiler import compiles
+
+
+ @compiles(CreateColumn, 'postgresql')
+ def use_identity(element, compiler, **kw):
+ text = compiler.visit_create_column(element, **kw)
+ text = text.replace(
+ "SERIAL", "INT GENERATED BY DEFAULT AS IDENTITY"
+ )
+ return text
+
+ Using the above, a table such as::
+
+ t = Table(
+ 't', m,
+ Column('id', Integer, primary_key=True),
+ Column('data', String)
+ )
+
+ Will generate on the backing database as::
+
+ CREATE TABLE t (
+ id INT GENERATED BY DEFAULT AS IDENTITY NOT NULL,
+ data VARCHAR,
+ PRIMARY KEY (id)
+ )
+
.. _postgresql_isolation_level:
Transaction Isolation Level
@@ -1959,6 +1994,7 @@ class PGDDLCompiler(compiler.DDLCompiler):
self.dialect.supports_smallserial
or not isinstance(impl_type, sqltypes.SmallInteger)
)
+ and column.identity is None
and (
column.default is None
or (
@@ -1985,6 +2021,8 @@ class PGDDLCompiler(compiler.DDLCompiler):
if column.computed is not None:
colspec += " " + self.process(column.computed)
+ if column.identity is not None:
+ colspec += " " + self.process(column.identity)
if not column.nullable:
colspec += " NOT NULL"
diff --git a/lib/sqlalchemy/schema.py b/lib/sqlalchemy/schema.py
index d6490f020..fe4c60a2d 100644
--- a/lib/sqlalchemy/schema.py
+++ b/lib/sqlalchemy/schema.py
@@ -49,7 +49,7 @@ from .sql.schema import FetchedValue # noqa
from .sql.schema import ForeignKey # noqa
from .sql.schema import ForeignKeyConstraint # noqa
from .sql.schema import Index # noqa
-from .sql.schema import IdentityOptions # noqa
+from .sql.schema import Identity # noqa
from .sql.schema import MetaData # noqa
from .sql.schema import PrimaryKeyConstraint # noqa
from .sql.schema import SchemaItem # noqa
diff --git a/lib/sqlalchemy/sql/compiler.py b/lib/sqlalchemy/sql/compiler.py
index 4f4cf7f8b..17cacc981 100644
--- a/lib/sqlalchemy/sql/compiler.py
+++ b/lib/sqlalchemy/sql/compiler.py
@@ -3918,31 +3918,39 @@ class DDLCompiler(Compiled):
drop.element, use_table=True
)
+ def get_identity_options(self, identity_options):
+ text = []
+ if identity_options.increment is not None:
+ text.append("INCREMENT BY %d" % identity_options.increment)
+ if identity_options.start is not None:
+ text.append("START WITH %d" % identity_options.start)
+ if identity_options.minvalue is not None:
+ text.append("MINVALUE %d" % identity_options.minvalue)
+ if identity_options.maxvalue is not None:
+ text.append("MAXVALUE %d" % identity_options.maxvalue)
+ if identity_options.nominvalue is not None:
+ text.append("NO MINVALUE")
+ if identity_options.nomaxvalue is not None:
+ text.append("NO MAXVALUE")
+ if identity_options.cache is not None:
+ text.append("CACHE %d" % identity_options.cache)
+ if identity_options.order is True:
+ text.append("ORDER")
+ if identity_options.cycle is not None:
+ text.append("CYCLE")
+ return " ".join(text)
+
def visit_create_sequence(self, create, prefix=None, **kw):
text = "CREATE SEQUENCE %s" % self.preparer.format_sequence(
create.element
)
if prefix:
text += prefix
- if create.element.increment is not None:
- text += " INCREMENT BY %d" % create.element.increment
if create.element.start is None:
create.element.start = self.dialect.default_sequence_base
- text += " START WITH %d" % create.element.start
- if create.element.minvalue is not None:
- text += " MINVALUE %d" % create.element.minvalue
- if create.element.maxvalue is not None:
- text += " MAXVALUE %d" % create.element.maxvalue
- if create.element.nominvalue is not None:
- text += " NO MINVALUE"
- if create.element.nomaxvalue is not None:
- text += " NO MAXVALUE"
- if create.element.cache is not None:
- text += " CACHE %d" % create.element.cache
- if create.element.order is True:
- text += " ORDER"
- if create.element.cycle is not None:
- text += " CYCLE"
+ options = self.get_identity_options(create.element)
+ if options:
+ text += " " + options
return text
def visit_drop_sequence(self, drop, **kw):
@@ -3981,6 +3989,9 @@ class DDLCompiler(Compiled):
if column.computed is not None:
colspec += " " + self.process(column.computed)
+ if column.identity is not None:
+ colspec += " " + self.process(column.identity)
+
if not column.nullable:
colspec += " NOT NULL"
return colspec
@@ -4138,6 +4149,15 @@ class DDLCompiler(Compiled):
text += " VIRTUAL"
return text
+ def visit_identity_column(self, identity, **kw):
+ text = "GENERATED %s AS IDENTITY" % (
+ "ALWAYS" if identity.always else "BY DEFAULT",
+ )
+ options = self.get_identity_options(identity)
+ if options:
+ text += " (%s)" % options
+ return text
+
class GenericTypeCompiler(TypeCompiler):
def visit_FLOAT(self, type_, **kw):
diff --git a/lib/sqlalchemy/sql/schema.py b/lib/sqlalchemy/sql/schema.py
index 0b04ff0da..c2a41205f 100644
--- a/lib/sqlalchemy/sql/schema.py
+++ b/lib/sqlalchemy/sql/schema.py
@@ -1098,8 +1098,8 @@ class Column(DialectKWArgs, SchemaItem, ColumnClause):
:class:`.SchemaItem` derived constructs which will be applied
as options to the column. These include instances of
:class:`.Constraint`, :class:`_schema.ForeignKey`,
- :class:`.ColumnDefault`,
- :class:`.Sequence`, :class:`.Computed`. In some cases an
+ :class:`.ColumnDefault`, :class:`.Sequence`, :class:`.Computed`
+ :class:`.Identity`. In some cases an
equivalent keyword argument is available such as ``server_default``,
``default`` and ``unique``.
@@ -1113,7 +1113,9 @@ class Column(DialectKWArgs, SchemaItem, ColumnClause):
AUTO_INCREMENT will be emitted for this column during a table
create, as well as that the column is assumed to generate new
integer primary key values when an INSERT statement invokes which
- will be retrieved by the dialect.
+ will be retrieved by the dialect. When used in conjunction with
+ :class:`.Identity` on a dialect that supports it, this parameter
+ has no effect.
The flag may be set to ``True`` to indicate that a column which
is part of a composite (e.g. multi-column) primary key should
@@ -1381,6 +1383,7 @@ class Column(DialectKWArgs, SchemaItem, ColumnClause):
self.foreign_keys = set()
self.comment = kwargs.pop("comment", None)
self.computed = None
+ self.identity = None
# check if this Column is proxying another column
if "_proxies" in kwargs:
@@ -1563,6 +1566,14 @@ class Column(DialectKWArgs, SchemaItem, ColumnClause):
self._setup_on_memoized_fks(lambda fk: fk._set_remote_table(table))
+ if self.identity and (
+ isinstance(self.default, Sequence)
+ or isinstance(self.onupdate, Sequence)
+ ):
+ raise exc.ArgumentError(
+ "An column cannot specify both Identity and Sequence."
+ )
+
def _setup_on_memoized_fks(self, fn):
fk_keys = [
((self.table.key, self.key), False),
@@ -1606,7 +1617,7 @@ class Column(DialectKWArgs, SchemaItem, ColumnClause):
server_default = self.server_default
server_onupdate = self.server_onupdate
- if isinstance(server_default, Computed):
+ if isinstance(server_default, (Computed, Identity)):
server_default = server_onupdate = None
args.append(self.server_default.copy(**kw))
@@ -2369,7 +2380,7 @@ class IdentityOptions(object):
"""Construct a :class:`.IdentityOptions` object.
See the :class:`.Sequence` documentation for a complete description
- of the parameters
+ of the parameters.
:param start: the starting index of the sequence.
:param increment: the increment value of the sequence.
@@ -3602,7 +3613,11 @@ class PrimaryKeyConstraint(ColumnCollectionConstraint):
and not autoinc_true
):
return False
- elif col.server_default is not None and not autoinc_true:
+ elif (
+ col.server_default is not None
+ and not isinstance(col.server_default, Identity)
+ and not autoinc_true
+ ):
return False
elif col.foreign_keys and col.autoincrement not in (
True,
@@ -4612,3 +4627,143 @@ class Computed(FetchedValue, SchemaItem):
g = Computed(sqltext, persisted=self.persisted)
return self._schema_item_copy(g)
+
+
+class Identity(IdentityOptions, FetchedValue, SchemaItem):
+ """Defines an identity column, i.e. "GENERATED { ALWAYS | BY DEFAULT }
+ AS IDENTITY" syntax.
+
+ The :class:`.Identity` construct is an inline construct added to the
+ argument list of a :class:`_schema.Column` object::
+
+ from sqlalchemy import Identity
+
+ Table('foo', meta,
+ Column('id', Integer, Identity())
+ Column('description', Text),
+ )
+
+ See the linked documentation below for complete details.
+
+ .. versionadded:: 1.4
+
+ .. seealso::
+
+ :ref:`identity_ddl`
+
+ """
+
+ __visit_name__ = "identity_column"
+
+ def __init__(
+ self,
+ always=False,
+ on_null=None,
+ start=None,
+ increment=None,
+ minvalue=None,
+ maxvalue=None,
+ nominvalue=None,
+ nomaxvalue=None,
+ cycle=None,
+ cache=None,
+ order=None,
+ ):
+ """Construct a GENERATED { ALWAYS | BY DEFAULT } AS IDENTITY DDL
+ construct to accompany a :class:`_schema.Column`.
+
+ See the :class:`.Sequence` documentation for a complete description
+ of most parameters.
+
+ .. note::
+ MSSQL supports this construct as the preferred alternative to
+ generate an IDENTITY on a column, but it uses non standard
+ syntax that only support :paramref:`_schema.Identity.start`
+ and :paramref:`_schema.Identity.increment`.
+ All other parameters are ignored.
+
+ :param always:
+ A boolean, that indicates the type of identity column.
+ If ``False`` is specified, the default, then the user-specified
+ value takes precedence.
+ If ``True`` is specified, a user-specified value is not accepted (
+ on some backends, like PostgreSQL, OVERRIDING SYSTEM VALUE, or
+ similar, may be specified in an INSERT to override the sequence
+ value).
+ Some backends also have a default value for this parameter,
+ ``None`` can be used to omit rendering this part in the DDL. It
+ will be treated as ``False`` if a backend does not have a default
+ value.
+
+ :param on_null:
+ Set to ``True`` to specify ON NULL in conjunction with a
+ 'by default' identity column. This option is only supported on
+ some backends, like Oracle.
+
+ :param start: the starting index of the sequence.
+ :param increment: the increment value of the sequence.
+ :param minvalue: the minimum value of the sequence.
+ :param maxvalue: the maximum value of the sequence.
+ :param nominvalue: no minimum value of the sequence.
+ :param nomaxvalue: no maximum value of the sequence.
+ :param cycle: allows the sequence to wrap around when the maxvalue
+ or minvalue has been reached.
+ :param cache: optional integer value; number of future values in the
+ sequence which are calculated in advance.
+ :param order: optional boolean value; if true, renders the
+ ORDER keyword.
+
+ """
+ IdentityOptions.__init__(
+ self,
+ start=start,
+ increment=increment,
+ minvalue=minvalue,
+ maxvalue=maxvalue,
+ nominvalue=nominvalue,
+ nomaxvalue=nomaxvalue,
+ cycle=cycle,
+ cache=cache,
+ order=order,
+ )
+ self.always = always
+ self.on_null = on_null
+ self.column = None
+
+ def _set_parent(self, parent):
+ if not isinstance(
+ parent.server_default, (type(None), Identity)
+ ) or not isinstance(parent.server_onupdate, type(None)):
+ raise exc.ArgumentError(
+ "A column with an Identity object cannot specify a "
+ "server_default or a server_onupdate argument"
+ )
+ if parent.autoincrement is False:
+ raise exc.ArgumentError(
+ "A column with an Identity object cannot specify "
+ "autoincrement=False"
+ )
+ self.column = parent
+ parent.identity = self
+ # self.column.server_onupdate = self
+ self.column.server_default = self
+
+ def _as_for_update(self, for_update):
+ return self
+
+ def copy(self, target_table=None, **kw):
+ i = Identity(
+ always=self.always,
+ on_null=self.on_null,
+ start=self.start,
+ increment=self.increment,
+ minvalue=self.minvalue,
+ maxvalue=self.maxvalue,
+ nominvalue=self.nominvalue,
+ nomaxvalue=self.nomaxvalue,
+ cycle=self.cycle,
+ cache=self.cache,
+ order=self.order,
+ )
+
+ return self._schema_item_copy(i)
diff --git a/lib/sqlalchemy/testing/plugin/pytestplugin.py b/lib/sqlalchemy/testing/plugin/pytestplugin.py
index 1b2bbca23..ca3fbe4a8 100644
--- a/lib/sqlalchemy/testing/plugin/pytestplugin.py
+++ b/lib/sqlalchemy/testing/plugin/pytestplugin.py
@@ -242,15 +242,10 @@ def pytest_pycollect_makeitem(collector, name, obj):
if inspect.isclass(obj) and plugin_base.want_class(name, obj):
- # in pytest 5.4.0
- # return [
- # pytest.Class.from_parent(collector,
- # name=parametrize_cls.__name__)
- # for parametrize_cls in _parametrize_cls(collector.module, obj)
- # ]
+ ctor = getattr(pytest.Class, "from_parent", pytest.Class)
return [
- pytest.Class(parametrize_cls.__name__, parent=collector)
+ ctor(name=parametrize_cls.__name__, parent=collector)
for parametrize_cls in _parametrize_cls(collector.module, obj)
]
elif (
diff --git a/lib/sqlalchemy/testing/requirements.py b/lib/sqlalchemy/testing/requirements.py
index 3d3980b30..a27dd2e01 100644
--- a/lib/sqlalchemy/testing/requirements.py
+++ b/lib/sqlalchemy/testing/requirements.py
@@ -1254,3 +1254,17 @@ class SuiteRequirements(Requirements):
lambda config: not config.db.dialect.supports_is_distinct_from,
"driver doesn't support an IS DISTINCT FROM construct",
)
+
+ @property
+ def identity_columns(self):
+ """If a backend supports GENERATED { ALWAYS | BY DEFAULT }
+ AS IDENTITY"""
+ return exclusions.closed()
+
+ @property
+ def identity_columns_standard(self):
+ """If a backend supports GENERATED { ALWAYS | BY DEFAULT }
+ AS IDENTITY with a standard syntax.
+ This is mainly to exclude MSSql.
+ """
+ return exclusions.closed()
diff --git a/lib/sqlalchemy/testing/suite/test_select.py b/lib/sqlalchemy/testing/suite/test_select.py
index cff1f2cfc..675fac609 100644
--- a/lib/sqlalchemy/testing/suite/test_select.py
+++ b/lib/sqlalchemy/testing/suite/test_select.py
@@ -4,6 +4,7 @@ from .. import AssertsCompiledSQL
from .. import AssertsExecutionResults
from .. import config
from .. import fixtures
+from ..assertions import assert_raises
from ..assertions import eq_
from ..assertions import in_
from ..assertsql import CursorSQL
@@ -17,6 +18,7 @@ from ... import exists
from ... import false
from ... import ForeignKey
from ... import func
+from ... import Identity
from ... import Integer
from ... import literal
from ... import literal_column
@@ -30,6 +32,8 @@ from ... import true
from ... import tuple_
from ... import union
from ... import util
+from ...exc import DatabaseError
+from ...exc import ProgrammingError
class CollateTest(fixtures.TablesTest):
@@ -1044,6 +1048,81 @@ class ComputedColumnTest(fixtures.TablesTest):
eq_(res, [(100, 40), (1764, 168)])
+class IdentityColumnTest(fixtures.TablesTest):
+ __backend__ = True
+ __requires__ = ("identity_columns",)
+ run_inserts = "once"
+ run_deletes = "once"
+
+ @classmethod
+ def define_tables(cls, metadata):
+ Table(
+ "tbl_a",
+ metadata,
+ Column(
+ "id",
+ Integer,
+ Identity(always=True, start=42),
+ primary_key=True,
+ ),
+ Column("desc", String(100)),
+ )
+ Table(
+ "tbl_b",
+ metadata,
+ Column(
+ "id",
+ Integer,
+ Identity(increment=-5, start=0, minvalue=-1000, maxvalue=0,),
+ primary_key=True,
+ ),
+ Column("desc", String(100)),
+ )
+
+ @classmethod
+ def insert_data(cls, connection):
+ connection.execute(
+ cls.tables.tbl_a.insert(), [{"desc": "a"}, {"desc": "b"}],
+ )
+ connection.execute(
+ cls.tables.tbl_b.insert(), [{"desc": "a"}, {"desc": "b"}],
+ )
+ connection.execute(
+ cls.tables.tbl_b.insert(), [{"id": 42, "desc": "c"}],
+ )
+
+ def test_select_all(self, connection):
+ res = connection.execute(
+ select([text("*")])
+ .select_from(self.tables.tbl_a)
+ .order_by(self.tables.tbl_a.c.id)
+ ).fetchall()
+ eq_(res, [(42, "a"), (43, "b")])
+
+ res = connection.execute(
+ select([text("*")])
+ .select_from(self.tables.tbl_b)
+ .order_by(self.tables.tbl_b.c.id)
+ ).fetchall()
+ eq_(res, [(-5, "b"), (0, "a"), (42, "c")])
+
+ def test_select_columns(self, connection):
+
+ res = connection.execute(
+ select([self.tables.tbl_a.c.id]).order_by(self.tables.tbl_a.c.id)
+ ).fetchall()
+ eq_(res, [(42,), (43,)])
+
+ @testing.requires.identity_columns_standard
+ def test_insert_always_error(self, connection):
+ def fn():
+ connection.execute(
+ self.tables.tbl_a.insert(), [{"id": 200, "desc": "a"}],
+ )
+
+ assert_raises((DatabaseError, ProgrammingError), fn)
+
+
class ExistsTest(fixtures.TablesTest):
__backend__ = True
@@ -1093,7 +1172,6 @@ class ExistsTest(fixtures.TablesTest):
class DistinctOnTest(AssertsCompiledSQL, fixtures.TablesTest):
__backend__ = True
- __requires__ = ("standard_cursor_sql",)
@testing.fails_if(testing.requires.supports_distinct_on)
def test_distinct_on(self):
diff --git a/test/dialect/mssql/test_compiler.py b/test/dialect/mssql/test_compiler.py
index 83a610888..67120e8fe 100644
--- a/test/dialect/mssql/test_compiler.py
+++ b/test/dialect/mssql/test_compiler.py
@@ -2,8 +2,10 @@
from sqlalchemy import Column
from sqlalchemy import Computed
from sqlalchemy import delete
+from sqlalchemy import exc
from sqlalchemy import extract
from sqlalchemy import func
+from sqlalchemy import Identity
from sqlalchemy import Index
from sqlalchemy import insert
from sqlalchemy import Integer
@@ -27,6 +29,7 @@ from sqlalchemy.dialects.mssql.base import try_cast
from sqlalchemy.sql import column
from sqlalchemy.sql import quoted_name
from sqlalchemy.sql import table
+from sqlalchemy.testing import assert_raises_message
from sqlalchemy.testing import AssertsCompiledSQL
from sqlalchemy.testing import eq_
from sqlalchemy.testing import fixtures
@@ -1116,96 +1119,6 @@ class CompileTest(fixtures.TestBase, AssertsCompiledSQL):
checkparams={"x_1": 5, "param_1": 0},
)
- def test_primary_key_no_identity(self):
- metadata = MetaData()
- tbl = Table(
- "test",
- metadata,
- Column("id", Integer, autoincrement=False, primary_key=True),
- )
- self.assert_compile(
- schema.CreateTable(tbl),
- "CREATE TABLE test (id INTEGER NOT NULL, " "PRIMARY KEY (id))",
- )
-
- def test_primary_key_defaults_to_identity(self):
- metadata = MetaData()
- tbl = Table("test", metadata, Column("id", Integer, primary_key=True))
- self.assert_compile(
- schema.CreateTable(tbl),
- "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(1,1), "
- "PRIMARY KEY (id))",
- )
-
- def test_identity_no_primary_key(self):
- metadata = MetaData()
- tbl = Table(
- "test", metadata, Column("id", Integer, autoincrement=True)
- )
- self.assert_compile(
- schema.CreateTable(tbl),
- "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(1,1)" ")",
- )
-
- def test_identity_separate_from_primary_key(self):
- metadata = MetaData()
- tbl = Table(
- "test",
- metadata,
- Column("id", Integer, autoincrement=False, primary_key=True),
- Column("x", Integer, autoincrement=True),
- )
- self.assert_compile(
- schema.CreateTable(tbl),
- "CREATE TABLE test (id INTEGER NOT NULL, "
- "x INTEGER NOT NULL IDENTITY(1,1), "
- "PRIMARY KEY (id))",
- )
-
- def test_identity_illegal_two_autoincrements(self):
- metadata = MetaData()
- tbl = Table(
- "test",
- metadata,
- Column("id", Integer, autoincrement=True),
- Column("id2", Integer, autoincrement=True),
- )
- # this will be rejected by the database, just asserting this is what
- # the two autoincrements will do right now
- self.assert_compile(
- schema.CreateTable(tbl),
- "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(1,1), "
- "id2 INTEGER NOT NULL IDENTITY(1,1))",
- )
-
- def test_identity_start_0(self):
- metadata = MetaData()
- tbl = Table(
- "test",
- metadata,
- Column("id", Integer, mssql_identity_start=0, primary_key=True),
- )
- self.assert_compile(
- schema.CreateTable(tbl),
- "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(0,1), "
- "PRIMARY KEY (id))",
- )
-
- def test_identity_increment_5(self):
- metadata = MetaData()
- tbl = Table(
- "test",
- metadata,
- Column(
- "id", Integer, mssql_identity_increment=5, primary_key=True
- ),
- )
- self.assert_compile(
- schema.CreateTable(tbl),
- "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(1,5), "
- "PRIMARY KEY (id))",
- )
-
def test_table_pkc_clustering(self):
metadata = MetaData()
tbl = Table(
@@ -1388,6 +1301,240 @@ class CompileTest(fixtures.TestBase, AssertsCompiledSQL):
)
+class CompileIdentityTest(fixtures.TestBase, AssertsCompiledSQL):
+ __dialect__ = mssql.dialect()
+
+ def assert_compile_with_warning(self, *args, **kwargs):
+ with testing.expect_deprecated(
+ "The dialect options 'mssql_identity_start' and "
+ "'mssql_identity_increment' are deprecated. "
+ "Use the 'Identity' object instead."
+ ):
+ return self.assert_compile(*args, **kwargs)
+
+ def test_primary_key_no_identity(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column("id", Integer, autoincrement=False, primary_key=True),
+ )
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL, PRIMARY KEY (id))",
+ )
+
+ def test_primary_key_defaults_to_identity(self):
+ metadata = MetaData()
+ tbl = Table("test", metadata, Column("id", Integer, primary_key=True))
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY, "
+ "PRIMARY KEY (id))",
+ )
+
+ def test_primary_key_with_identity_object(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column(
+ "id",
+ Integer,
+ Identity(start=3, increment=42),
+ primary_key=True,
+ ),
+ )
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(3,42), "
+ "PRIMARY KEY (id))",
+ )
+
+ def test_identity_no_primary_key(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test", metadata, Column("id", Integer, autoincrement=True)
+ )
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY)",
+ )
+
+ def test_identity_object_no_primary_key(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test", metadata, Column("id", Integer, Identity(increment=42)),
+ )
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(1,42))",
+ )
+
+ def test_identity_object_1_1(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column("id", Integer, Identity(start=1, increment=1)),
+ )
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(1,1))",
+ )
+
+ def test_identity_object_no_primary_key_non_nullable(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column("id", Integer, Identity(start=3), nullable=False,),
+ )
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(3,1)" ")",
+ )
+
+ def test_identity_separate_from_primary_key(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column("id", Integer, autoincrement=False, primary_key=True),
+ Column("x", Integer, autoincrement=True),
+ )
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL, "
+ "x INTEGER NOT NULL IDENTITY, "
+ "PRIMARY KEY (id))",
+ )
+
+ def test_identity_object_separate_from_primary_key(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column("id", Integer, autoincrement=False, primary_key=True),
+ Column("x", Integer, Identity(start=3, increment=42),),
+ )
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL, "
+ "x INTEGER NOT NULL IDENTITY(3,42), "
+ "PRIMARY KEY (id))",
+ )
+
+ def test_identity_illegal_two_autoincrements(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column("id", Integer, autoincrement=True),
+ Column("id2", Integer, autoincrement=True),
+ )
+ # this will be rejected by the database, just asserting this is what
+ # the two autoincrements will do right now
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY, "
+ "id2 INTEGER NOT NULL IDENTITY)",
+ )
+
+ def test_identity_object_illegal_two_autoincrements(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column(
+ "id",
+ Integer,
+ Identity(start=3, increment=42),
+ autoincrement=True,
+ ),
+ Column("id2", Integer, Identity(start=7, increment=2),),
+ )
+ # this will be rejected by the database, just asserting this is what
+ # the two autoincrements will do right now
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(3,42), "
+ "id2 INTEGER NOT NULL IDENTITY(7,2))",
+ )
+
+ def test_identity_start_0(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column("id", Integer, mssql_identity_start=0, primary_key=True),
+ )
+ self.assert_compile_with_warning(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(0,1), "
+ "PRIMARY KEY (id))",
+ )
+
+ def test_identity_increment_5(self):
+ metadata = MetaData()
+ tbl = Table(
+ "test",
+ metadata,
+ Column(
+ "id", Integer, mssql_identity_increment=5, primary_key=True
+ ),
+ )
+ self.assert_compile_with_warning(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY(1,5), "
+ "PRIMARY KEY (id))",
+ )
+
+ @testing.combinations(
+ schema.CreateTable(
+ Table(
+ "test",
+ MetaData(),
+ Column(
+ "id",
+ Integer,
+ Identity(start=2, increment=2),
+ mssql_identity_start=0,
+ ),
+ )
+ ),
+ schema.CreateTable(
+ Table(
+ "test1",
+ MetaData(),
+ Column(
+ "id2",
+ Integer,
+ Identity(start=3, increment=3),
+ mssql_identity_increment=5,
+ ),
+ )
+ ),
+ )
+ def test_identity_options_ignored_with_identity_object(self, create_table):
+ assert_raises_message(
+ exc.CompileError,
+ "Cannot specify options 'mssql_identity_start' and/or "
+ "'mssql_identity_increment' while also using the "
+ "'Identity' construct.",
+ create_table.compile,
+ dialect=self.__dialect__,
+ )
+
+ def test_identity_object_no_options(self):
+ metadata = MetaData()
+ tbl = Table("test", metadata, Column("id", Integer, Identity()),)
+ self.assert_compile(
+ schema.CreateTable(tbl),
+ "CREATE TABLE test (id INTEGER NOT NULL IDENTITY)",
+ )
+
+
class SchemaTest(fixtures.TestBase):
def setup(self):
t = Table(
diff --git a/test/dialect/mssql/test_query.py b/test/dialect/mssql/test_query.py
index 1e73b8b49..d8f2a4a0e 100644
--- a/test/dialect/mssql/test_query.py
+++ b/test/dialect/mssql/test_query.py
@@ -6,6 +6,7 @@ from sqlalchemy import desc
from sqlalchemy import event
from sqlalchemy import ForeignKey
from sqlalchemy import func
+from sqlalchemy import Identity
from sqlalchemy import Integer
from sqlalchemy import literal
from sqlalchemy import MetaData
@@ -309,7 +310,7 @@ class QueryTest(testing.AssertsExecutionResults, fixtures.TestBase):
t1 = Table(
"t1",
meta,
- Column("id", Integer, mssql_identity_start=100, primary_key=True),
+ Column("id", Integer, Identity(start=100), primary_key=True),
Column("descr", String(200)),
# the following flag will prevent the
# MSSQLCompiler.returning_clause from getting called,
@@ -321,7 +322,7 @@ class QueryTest(testing.AssertsExecutionResults, fixtures.TestBase):
t2 = Table(
"t2",
meta,
- Column("id", Integer, mssql_identity_start=200, primary_key=True),
+ Column("id", Integer, Identity(start=200), primary_key=True),
Column("descr", String(200)),
)
diff --git a/test/dialect/mssql/test_reflection.py b/test/dialect/mssql/test_reflection.py
index 176d3d2ec..6e4038eb4 100644
--- a/test/dialect/mssql/test_reflection.py
+++ b/test/dialect/mssql/test_reflection.py
@@ -133,7 +133,10 @@ class ReflectionTest(fixtures.TestBase, ComparesTables, AssertsCompiledSQL):
primary_key=True,
),
)
- table.create()
+ with testing.expect_deprecated(
+ "The dialect options 'mssql_identity_start' and"
+ ):
+ table.create()
meta2 = MetaData(testing.db)
table2 = Table("identity_test", meta2, autoload=True)
diff --git a/test/dialect/oracle/test_compiler.py b/test/dialect/oracle/test_compiler.py
index 21a3b04ba..97a204630 100644
--- a/test/dialect/oracle/test_compiler.py
+++ b/test/dialect/oracle/test_compiler.py
@@ -6,6 +6,7 @@ from sqlalchemy import exc
from sqlalchemy import except_
from sqlalchemy import ForeignKey
from sqlalchemy import func
+from sqlalchemy import Identity
from sqlalchemy import Index
from sqlalchemy import Integer
from sqlalchemy import literal
@@ -1249,6 +1250,44 @@ class CompileTest(fixtures.TestBase, AssertsCompiledSQL):
dialect=oracle.dialect(),
)
+ def test_column_identity(self):
+ # all other tests are in test_identity_column.py
+ m = MetaData()
+ t = Table(
+ "t",
+ m,
+ Column("y", Integer, Identity(always=True, start=4, increment=7)),
+ )
+ self.assert_compile(
+ schema.CreateTable(t),
+ "CREATE TABLE t (y INTEGER GENERATED ALWAYS AS IDENTITY "
+ "(INCREMENT BY 7 START WITH 4))",
+ )
+
+ def test_column_identity_no_generated(self):
+ m = MetaData()
+ t = Table("t", m, Column("y", Integer, Identity(always=None)))
+ self.assert_compile(
+ schema.CreateTable(t),
+ "CREATE TABLE t (y INTEGER GENERATED AS IDENTITY)",
+ )
+
+ @testing.combinations(
+ (True, True, "ALWAYS ON NULL"), # this would error when executed
+ (False, None, "BY DEFAULT"),
+ (False, False, "BY DEFAULT"),
+ (False, True, "BY DEFAULT ON NULL"),
+ )
+ def test_column_identity_on_null(self, always, on_null, text):
+ m = MetaData()
+ t = Table(
+ "t", m, Column("y", Integer, Identity(always, on_null=on_null))
+ )
+ self.assert_compile(
+ schema.CreateTable(t),
+ "CREATE TABLE t (y INTEGER GENERATED %s AS IDENTITY)" % text,
+ )
+
class SequenceTest(fixtures.TestBase, AssertsCompiledSQL):
def test_basic(self):
diff --git a/test/dialect/postgresql/test_compiler.py b/test/dialect/postgresql/test_compiler.py
index ce285007f..aa355549b 100644
--- a/test/dialect/postgresql/test_compiler.py
+++ b/test/dialect/postgresql/test_compiler.py
@@ -8,6 +8,7 @@ from sqlalchemy import delete
from sqlalchemy import Enum
from sqlalchemy import exc
from sqlalchemy import func
+from sqlalchemy import Identity
from sqlalchemy import Index
from sqlalchemy import Integer
from sqlalchemy import MetaData
@@ -1689,6 +1690,20 @@ class CompileTest(fixtures.TestBase, AssertsCompiledSQL):
dialect=postgresql.dialect(),
)
+ def test_column_identity(self):
+ # all other tests are in test_identity_column.py
+ m = MetaData()
+ t = Table(
+ "t",
+ m,
+ Column("y", Integer, Identity(always=True, start=4, increment=7)),
+ )
+ self.assert_compile(
+ schema.CreateTable(t),
+ "CREATE TABLE t (y INTEGER GENERATED ALWAYS AS IDENTITY "
+ "(INCREMENT BY 7 START WITH 4))",
+ )
+
class InsertOnConflictTest(fixtures.TestBase, AssertsCompiledSQL):
__dialect__ = postgresql.dialect()
diff --git a/test/orm/test_defaults.py b/test/orm/test_defaults.py
index 94397e22a..39f48bfcc 100644
--- a/test/orm/test_defaults.py
+++ b/test/orm/test_defaults.py
@@ -1,6 +1,7 @@
import sqlalchemy as sa
from sqlalchemy import Computed
from sqlalchemy import event
+from sqlalchemy import Identity
from sqlalchemy import Integer
from sqlalchemy import String
from sqlalchemy import testing
@@ -367,3 +368,87 @@ class ComputedDefaultsOnUpdateTest(fixtures.MappedTest):
[{"param_1": 2}],
),
)
+
+
+class IdentityDefaultsOnUpdateTest(fixtures.MappedTest):
+ """test that computed columns are recognized as server
+ oninsert/onupdate defaults."""
+
+ __backend__ = True
+ __requires__ = ("identity_columns",)
+ run_create_tables = "each"
+
+ @classmethod
+ def define_tables(cls, metadata):
+ Table(
+ "test",
+ metadata,
+ Column("id", Integer, Identity(), primary_key=True),
+ Column("foo", Integer),
+ )
+
+ @classmethod
+ def setup_classes(cls):
+ class Thing(cls.Basic):
+ pass
+
+ @classmethod
+ def setup_mappers(cls):
+ Thing = cls.classes.Thing
+
+ mapper(Thing, cls.tables.test)
+
+ def test_insert_identity(self):
+ Thing = self.classes.Thing
+
+ s = Session()
+
+ t1, t2 = (Thing(foo=5), Thing(foo=10))
+
+ s.add_all([t1, t2])
+
+ with assert_engine(testing.db) as asserter:
+ s.flush()
+ eq_(t1.id, 1)
+ eq_(t2.id, 2)
+
+ asserter.assert_(
+ Conditional(
+ testing.db.dialect.implicit_returning,
+ [
+ Conditional(
+ testing.db.dialect.insert_executemany_returning,
+ [
+ CompiledSQL(
+ "INSERT INTO test (foo) VALUES (%(foo)s) "
+ "RETURNING test.id",
+ [{"foo": 5}, {"foo": 10}],
+ dialect="postgresql",
+ ),
+ ],
+ [
+ CompiledSQL(
+ "INSERT INTO test (foo) VALUES (%(foo)s) "
+ "RETURNING test.id",
+ [{"foo": 5}],
+ dialect="postgresql",
+ ),
+ CompiledSQL(
+ "INSERT INTO test (foo) VALUES (%(foo)s) "
+ "RETURNING test.id",
+ [{"foo": 10}],
+ dialect="postgresql",
+ ),
+ ],
+ )
+ ],
+ [
+ CompiledSQL(
+ "INSERT INTO test (foo) VALUES (:foo)", [{"foo": 5}],
+ ),
+ CompiledSQL(
+ "INSERT INTO test (foo) VALUES (:foo)", [{"foo": 10}],
+ ),
+ ],
+ )
+ )
diff --git a/test/requirements.py b/test/requirements.py
index 99a6f5a3b..b33a066b0 100644
--- a/test/requirements.py
+++ b/test/requirements.py
@@ -1660,3 +1660,11 @@ class DefaultRequirements(SuiteRequirements):
def supports_sequence_for_autoincrement_column(self):
"""for mssql, autoincrement means IDENTITY, not sequence"""
return skip_if("mssql")
+
+ @property
+ def identity_columns(self):
+ return only_if(["postgresql >= 10", "oracle >= 12", "mssql"])
+
+ @property
+ def identity_columns_standard(self):
+ return self.identity_columns + skip_if("mssql")
diff --git a/test/sql/test_computed.py b/test/sql/test_computed.py
index c7cb3dd11..56aac488f 100644
--- a/test/sql/test_computed.py
+++ b/test/sql/test_computed.py
@@ -39,6 +39,20 @@ class DDLComputedTest(fixtures.TestBase, AssertsCompiledSQL):
"ALWAYS AS (x + 2)%s)" % text,
)
+ def test_other_options(self):
+ t = Table(
+ "t",
+ MetaData(),
+ Column(
+ "y", Integer, Computed("x + 2"), nullable=False, unique=True
+ ),
+ )
+ self.assert_compile(
+ CreateTable(t),
+ "CREATE TABLE t ("
+ "y INTEGER GENERATED ALWAYS AS (x + 2) NOT NULL, UNIQUE (y))",
+ )
+
def test_server_default_onupdate(self):
text = (
"A generated column cannot specify a server_default or a "
diff --git a/test/sql/test_identity_column.py b/test/sql/test_identity_column.py
new file mode 100644
index 000000000..becb62159
--- /dev/null
+++ b/test/sql/test_identity_column.py
@@ -0,0 +1,239 @@
+import re
+
+from sqlalchemy import Column
+from sqlalchemy import Identity
+from sqlalchemy import Integer
+from sqlalchemy import MetaData
+from sqlalchemy import Sequence
+from sqlalchemy import Table
+from sqlalchemy import testing
+from sqlalchemy.exc import ArgumentError
+from sqlalchemy.schema import CreateTable
+from sqlalchemy.testing import assert_raises_message
+from sqlalchemy.testing import fixtures
+from sqlalchemy.testing import is_
+from sqlalchemy.testing import is_not_
+
+
+class _IdentityDDLFixture(testing.AssertsCompiledSQL):
+ __backend__ = True
+
+ @testing.combinations(
+ (dict(always=True), "ALWAYS AS IDENTITY"),
+ (
+ dict(always=False, start=5),
+ "BY DEFAULT AS IDENTITY (START WITH 5)",
+ ),
+ (
+ dict(always=True, increment=2),
+ "ALWAYS AS IDENTITY (INCREMENT BY 2)",
+ ),
+ (
+ dict(increment=2, start=5),
+ "BY DEFAULT AS IDENTITY (INCREMENT BY 2 START WITH 5)",
+ ),
+ (
+ dict(always=True, increment=2, start=0, minvalue=0),
+ "ALWAYS AS IDENTITY (INCREMENT BY 2 START WITH 0 MINVALUE 0)",
+ ),
+ (
+ dict(always=False, increment=2, start=1, maxvalue=5),
+ "BY DEFAULT AS IDENTITY (INCREMENT BY 2 START WITH 1 MAXVALUE 5)",
+ ),
+ (
+ dict(always=True, increment=2, start=1, nomaxvalue=True),
+ "ALWAYS AS IDENTITY (INCREMENT BY 2 START WITH 1 NO MAXVALUE)",
+ ),
+ (
+ dict(always=False, increment=2, start=0, nominvalue=True),
+ "BY DEFAULT AS IDENTITY "
+ "(INCREMENT BY 2 START WITH 0 NO MINVALUE)",
+ ),
+ (
+ dict(always=True, start=1, maxvalue=10, cycle=True),
+ "ALWAYS AS IDENTITY (START WITH 1 MAXVALUE 10 CYCLE)",
+ ),
+ (
+ dict(always=False, cache=1000, order=True),
+ "BY DEFAULT AS IDENTITY (CACHE 1000 ORDER)",
+ ),
+ (dict(order=True), "BY DEFAULT AS IDENTITY (ORDER)",),
+ )
+ def test_create_ddl(self, identity_args, text):
+
+ t = Table(
+ "foo_table",
+ MetaData(),
+ Column("foo", Integer(), Identity(**identity_args)),
+ )
+ self.assert_compile(
+ CreateTable(t),
+ "CREATE TABLE foo_table (foo INTEGER GENERATED %s)" % text,
+ )
+ t2 = t.to_metadata(MetaData())
+ self.assert_compile(
+ CreateTable(t2),
+ "CREATE TABLE foo_table (foo INTEGER GENERATED %s)" % text,
+ )
+
+ def test_other_options(self):
+ t = Table(
+ "foo_table",
+ MetaData(),
+ Column(
+ "foo",
+ Integer(),
+ Identity(always=True, start=3),
+ nullable=False,
+ unique=True,
+ ),
+ )
+ self.assert_compile(
+ CreateTable(t),
+ "CREATE TABLE foo_table ("
+ "foo INTEGER GENERATED ALWAYS AS IDENTITY (START "
+ "WITH 3) NOT NULL, UNIQUE (foo))",
+ )
+
+ def test_autoincrement_true(self):
+ t = Table(
+ "foo_table",
+ MetaData(),
+ Column(
+ "foo",
+ Integer(),
+ Identity(always=True, start=3),
+ primary_key=True,
+ autoincrement=True,
+ ),
+ )
+ self.assert_compile(
+ CreateTable(t),
+ "CREATE TABLE foo_table ("
+ "foo INTEGER GENERATED ALWAYS AS IDENTITY (START WITH 3) NOT NULL"
+ ", PRIMARY KEY (foo))",
+ )
+
+
+class IdentityDDL(_IdentityDDLFixture, fixtures.TestBase):
+ # this uses the connection dialect
+ __requires__ = ("identity_columns_standard",)
+
+ def test_on_null(self):
+ t = Table(
+ "foo_table",
+ MetaData(),
+ Column(
+ "foo",
+ Integer(),
+ Identity(always=False, on_null=True, start=42, order=True),
+ ),
+ )
+ text = " ON NULL" if testing.against("oracle") else ""
+ self.assert_compile(
+ CreateTable(t),
+ (
+ "CREATE TABLE foo_table (foo INTEGER GENERATED BY DEFAULT"
+ + text
+ + " AS IDENTITY (START WITH 42 ORDER))"
+ ),
+ )
+
+
+class DefaultDialectIdentityDDL(_IdentityDDLFixture, fixtures.TestBase):
+ # this uses the default dialect
+ __dialect__ = "default"
+
+
+class NotSupportingIdentityDDL(testing.AssertsCompiledSQL, fixtures.TestBase):
+ @testing.skip_if(testing.requires.identity_columns)
+ def test_identity_is_ignored(self):
+ t = Table(
+ "foo_table",
+ MetaData(),
+ Column("foo", Integer(), Identity("always", start=3)),
+ )
+ t2 = Table("foo_table", MetaData(), Column("foo", Integer()),)
+ exp = CreateTable(t2).compile(dialect=testing.db.dialect)
+ self.assert_compile(
+ CreateTable(t), re.sub(r"[\n\t]", "", str(exp)),
+ )
+
+
+class IdentityTest(fixtures.TestBase):
+ def test_server_default_onupdate(self):
+ text = (
+ "A column with an Identity object cannot specify a "
+ "server_default or a server_onupdate argument"
+ )
+
+ def fn(**kwargs):
+ Table(
+ "t", MetaData(), Column("y", Integer, Identity(), **kwargs),
+ )
+
+ assert_raises_message(ArgumentError, text, fn, server_default="42")
+ assert_raises_message(ArgumentError, text, fn, server_onupdate="42")
+
+ def test_to_metadata(self):
+ identity1 = Identity("by default", on_null=True, start=123)
+ m = MetaData()
+ t = Table(
+ "t", m, Column("x", Integer), Column("y", Integer, identity1)
+ )
+ is_(identity1.column, t.c.y)
+ # is_(t.c.y.server_onupdate, identity1)
+ is_(t.c.y.server_default, identity1)
+
+ m2 = MetaData()
+ t2 = t.to_metadata(m2)
+ identity2 = t2.c.y.server_default
+
+ is_not_(identity1, identity2)
+
+ is_(identity1.column, t.c.y)
+ # is_(t.c.y.server_onupdate, identity1)
+ is_(t.c.y.server_default, identity1)
+
+ is_(identity2.column, t2.c.y)
+ # is_(t2.c.y.server_onupdate, identity2)
+ is_(t2.c.y.server_default, identity2)
+
+ def test_autoincrement_column(self):
+ t = Table(
+ "t",
+ MetaData(),
+ Column("y", Integer, Identity(), primary_key=True),
+ )
+ assert t._autoincrement_column is t.c.y
+ t2 = Table("t2", MetaData(), Column("y", Integer, Identity()))
+ assert t2._autoincrement_column is None
+
+ def test_identity_and_sequence(self):
+ def go():
+ return Table(
+ "foo_table",
+ MetaData(),
+ Column("foo", Integer(), Identity(), Sequence("foo_seq")),
+ )
+
+ assert_raises_message(
+ ArgumentError,
+ "An column cannot specify both Identity and Sequence.",
+ go,
+ )
+
+ def test_identity_autoincrement_false(self):
+ def go():
+ return Table(
+ "foo_table",
+ MetaData(),
+ Column("foo", Integer(), Identity(), autoincrement=False),
+ )
+
+ assert_raises_message(
+ ArgumentError,
+ "A column with an Identity object cannot specify "
+ "autoincrement=False",
+ go,
+ )