自定义 SQL 构造和编译扩展¶
Custom SQL Constructs and Compilation Extension
Provides an API for creation of custom ClauseElements and compilers.
摘要¶
Synopsis
使用方式涉及创建一个或多个 ClauseElement
的子类,
以及一个或多个用于定义其编译方式的可调用对象:
from sqlalchemy.ext.compiler import compiles
from sqlalchemy.sql.expression import ColumnClause
class MyColumn(ColumnClause):
inherit_cache = True
@compiles(MyColumn)
def compile_mycolumn(element, compiler, **kw):
return "[%s]" % element.name
上面的 MyColumn
继承自 ColumnClause
,
这是用于命名列对象的基本表达式元素。compiles
装饰器将自身注册到 MyColumn
类上,
从而在该对象被编译为字符串时被调用:
from sqlalchemy import select
s = select(MyColumn("x"), MyColumn("y"))
print(str(s))
生成如下结果:
SELECT [x], [y]
Usage involves the creation of one or more
ClauseElement
subclasses and one or
more callables defining its compilation:
from sqlalchemy.ext.compiler import compiles
from sqlalchemy.sql.expression import ColumnClause
class MyColumn(ColumnClause):
inherit_cache = True
@compiles(MyColumn)
def compile_mycolumn(element, compiler, **kw):
return "[%s]" % element.name
Above, MyColumn
extends ColumnClause
,
the base expression element for named column objects. The compiles
decorator registers itself with the MyColumn
class so that it is invoked
when the object is compiled to a string:
from sqlalchemy import select
s = select(MyColumn("x"), MyColumn("y"))
print(str(s))
Produces:
SELECT [x], [y]
特定于方言的编译规则¶
Dialect-specific compilation rules
编译器还可以与特定方言(dialect)绑定。当使用某个方言时,将调用相应的编译器:
from sqlalchemy.schema import DDLElement
class AlterColumn(DDLElement):
inherit_cache = False
def __init__(self, column, cmd):
self.column = column
self.cmd = cmd
@compiles(AlterColumn)
def visit_alter_column(element, compiler, **kw):
return "ALTER COLUMN %s ..." % element.column.name
@compiles(AlterColumn, "postgresql")
def visit_alter_column(element, compiler, **kw):
return "ALTER TABLE %s ALTER COLUMN %s ..." % (
element.table.name,
element.column.name,
)
当使用 postgresql
方言时,将调用第二个 visit_alter_table
。
Compilers can also be made dialect-specific. The appropriate compiler will be invoked for the dialect in use:
from sqlalchemy.schema import DDLElement
class AlterColumn(DDLElement):
inherit_cache = False
def __init__(self, column, cmd):
self.column = column
self.cmd = cmd
@compiles(AlterColumn)
def visit_alter_column(element, compiler, **kw):
return "ALTER COLUMN %s ..." % element.column.name
@compiles(AlterColumn, "postgresql")
def visit_alter_column(element, compiler, **kw):
return "ALTER TABLE %s ALTER COLUMN %s ..." % (
element.table.name,
element.column.name,
)
The second visit_alter_table
will be invoked when any postgresql
dialect is used.
编译自定义表达式构造的子元素¶
Compiling sub-elements of a custom expression construct
compiler
参数是当前使用的 Compiled
对象。
该对象可以被检查以获取编译过程中的信息,包括 compiler.dialect
、compiler.statement
等。
SQLCompiler
和
DDLCompiler
都包含一个 process()
方法,
可用于编译嵌套的属性:
from sqlalchemy.sql.expression import Executable, ClauseElement
class InsertFromSelect(Executable, ClauseElement):
inherit_cache = False
def __init__(self, table, select):
self.table = table
self.select = select
@compiles(InsertFromSelect)
def visit_insert_from_select(element, compiler, **kw):
return "INSERT INTO %s (%s)" % (
compiler.process(element.table, asfrom=True, **kw),
compiler.process(element.select, **kw),
)
insert = InsertFromSelect(t1, select(t1).where(t1.c.x > 5))
print(insert)
生成如下结果(已格式化以便阅读):
INSERT INTO mytable (
SELECT mytable.x, mytable.y, mytable.z
FROM mytable
WHERE mytable.x > :x_1
)
备注
上述 InsertFromSelect
构造仅为示例,该功能实际上已通过
Insert.from_select()
方法内置提供。
The compiler
argument is the
Compiled
object in use. This object
can be inspected for any information about the in-progress compilation,
including compiler.dialect
, compiler.statement
etc. The
SQLCompiler
and
DDLCompiler
both include a process()
method which can be used for compilation of embedded attributes:
from sqlalchemy.sql.expression import Executable, ClauseElement
class InsertFromSelect(Executable, ClauseElement):
inherit_cache = False
def __init__(self, table, select):
self.table = table
self.select = select
@compiles(InsertFromSelect)
def visit_insert_from_select(element, compiler, **kw):
return "INSERT INTO %s (%s)" % (
compiler.process(element.table, asfrom=True, **kw),
compiler.process(element.select, **kw),
)
insert = InsertFromSelect(t1, select(t1).where(t1.c.x > 5))
print(insert)
Produces (formatted for readability):
INSERT INTO mytable (
SELECT mytable.x, mytable.y, mytable.z
FROM mytable
WHERE mytable.x > :x_1
)
备注
The above InsertFromSelect
construct is only an example, this actual
functionality is already available using the
Insert.from_select()
method.
SQL 和 DDL 编译器之间的交叉编译¶
Cross Compiling between SQL and DDL compilers
SQL 和 DDL 构造分别使用不同的基础编译器进行编译 —— SQLCompiler
和 DDLCompiler
。
一个常见的需求是在 DDL 表达式中访问 SQL 表达式的编译规则。
为此,DDLCompiler
提供了一个访问器 sql_compiler
,例如下例中我们生成了一个嵌入 SQL 表达式的 CHECK 约束:
@compiles(MyConstraint)
def compile_my_constraint(constraint, ddlcompiler, **kw):
kw["literal_binds"] = True
return "CONSTRAINT %s CHECK (%s)" % (
constraint.name,
ddlcompiler.sql_compiler.process(constraint.expression, **kw),
)
SQL and DDL constructs are each compiled using different base compilers -
SQLCompiler
and DDLCompiler
. A common need is to access the
compilation rules of SQL expressions from within a DDL expression. The
DDLCompiler
includes an accessor sql_compiler
for this reason, such as
below where we generate a CHECK constraint that embeds a SQL expression:
@compiles(MyConstraint)
def compile_my_constraint(constraint, ddlcompiler, **kw):
kw["literal_binds"] = True
return "CONSTRAINT %s CHECK (%s)" % (
constraint.name,
ddlcompiler.sql_compiler.process(constraint.expression, **kw),
)
Above, we add an additional flag to the process step as called by
SQLCompiler.process()
, which is the literal_binds
flag. This
indicates that any SQL expression which refers to a BindParameter
object or other “literal” object such as those which refer to strings or
integers should be rendered in-place, rather than being referred to as
a bound parameter; when emitting DDL, bound parameters are typically not
supported.
更改现有构造的默认编译¶
Changing the default compilation of existing constructs
如上所示,我们向 SQLCompiler.process()
的调用中添加了一个额外的参数 literal_binds
标志。
该标志表示,任何引用 BindParameter
对象或其他“字面量”对象(例如字符串或整数)的 SQL 表达式
应当 就地渲染,而不是作为绑定参数进行引用;因为在生成 DDL 时,通常不支持绑定参数。
编译器扩展同样适用于已有的构造。
当需要重写某个内建 SQL 构造的编译方式时,应对相应的类使用 @compiles 装饰器(请确保使用类名,
例如 Insert
或 Select
,而不是创建函数如 insert()
或 select()
)。
在新的编译函数中,如需调用“原始”的编译逻辑,应使用对应的 visit_XXX 方法, 因为 compiler.process() 会调用当前的重写方法,导致无限循环。 例如,为所有 INSERT 语句添加前缀:
from sqlalchemy.sql.expression import Insert
@compiles(Insert)
def prefix_inserts(insert, compiler, **kw):
return compiler.visit_insert(insert.prefix_with("some prefix"), **kw)
上述编译器将在所有 INSERT 语句前添加 “some prefix” 作为前缀。
The compiler extension applies just as well to the existing constructs. When
overriding the compilation of a built in SQL construct, the @compiles
decorator is invoked upon the appropriate class (be sure to use the class,
i.e. Insert
or Select
, instead of the creation function such
as insert()
or select()
).
Within the new compilation function, to get at the “original” compilation routine, use the appropriate visit_XXX method - this because compiler.process() will call upon the overriding routine and cause an endless loop. Such as, to add “prefix” to all insert statements:
from sqlalchemy.sql.expression import Insert
@compiles(Insert)
def prefix_inserts(insert, compiler, **kw):
return compiler.visit_insert(insert.prefix_with("some prefix"), **kw)
The above compiler will prefix all INSERT statements with “some prefix” when compiled.
更改类型的编译¶
Changing Compilation of Types
compiler
也可用于类型的编译,
例如以下示例中为 String
/VARCHAR
实现了 MS-SQL 特有的 ‘max’ 关键字:
@compiles(String, "mssql")
@compiles(VARCHAR, "mssql")
def compile_varchar(element, compiler, **kw):
if element.length == "max":
return "VARCHAR('max')"
else:
return compiler.visit_VARCHAR(element, **kw)
foo = Table("foo", metadata, Column("data", VARCHAR("max")))
compiler
works for types, too, such as below where we implement the
MS-SQL specific ‘max’ keyword for String
/VARCHAR
:
@compiles(String, "mssql")
@compiles(VARCHAR, "mssql")
def compile_varchar(element, compiler, **kw):
if element.length == "max":
return "VARCHAR('max')"
else:
return compiler.visit_VARCHAR(element, **kw)
foo = Table("foo", metadata, Column("data", VARCHAR("max")))
子类化指南¶
Subclassing Guidelines
使用编译器扩展的一大部分工作是对 SQLAlchemy 表达式构造进行子类化。 为了简化这一过程,expression 和 schema 包提供了一组用于常见任务的“基础类”。 简要说明如下:
ClauseElement
- 根表达式类。 任何 SQL 表达式都可以从此基类派生,对于较复杂的构造(如自定义 INSERT 语句)来说, 它可能是最合适的选择。ColumnElement
- 所有“类似列”元素的根。 任何可以出现在 SELECT 语句的“columns”子句(以及 order by 和 group by)中的内容 都可以从此类派生 —— 此类对象会自动具有 Python 的“比较”行为。ColumnElement
类需要有一个type
成员, 表示该表达式的返回类型。该属性可以在构造函数中按实例设置,也可以在类级别设置为固定值:class timestamp(ColumnElement): type = TIMESTAMP() inherit_cache = True
FunctionElement
- 是ColumnElement
和“from 子句”对象的混合体, 表示一个 SQL 函数或存储过程的调用。由于大多数数据库支持诸如 “SELECT FROM <some function>” 的语句,FunctionElement
允许其用于select()
构造的 FROM 子句中:from sqlalchemy.sql.expression import FunctionElement class coalesce(FunctionElement): name = "coalesce" inherit_cache = True @compiles(coalesce) def compile(element, compiler, **kw): return "coalesce(%s)" % compiler.process(element.clauses, **kw) @compiles(coalesce, "oracle") def compile(element, compiler, **kw): if len(element.clauses) > 2: raise TypeError( "coalesce only supports two arguments on " "Oracle Database" ) return "nvl(%s)" % compiler.process(element.clauses, **kw)
ExecutableDDLElement
- 所有 DDL 表达式的根类,如 CREATE TABLE、ALTER TABLE 等。 该类的子类由DDLCompiler
而非SQLCompiler
编译。ExecutableDDLElement
也可作为事件钩子,与如DDLEvents.before_create()
和DDLEvents.after_create()
事件结合使用,使得构造能在 CREATE TABLE 和 DROP TABLE 过程中自动调用。参见
自定义 DDL - 包含将
DDL
对象 (它们本身是ExecutableDDLElement
实例)关联到DDLEvents
事件钩子的示例。Executable
- 一个混入类,适用于表示可独立执行的 SQL 语句的表达式类, 即可直接传入execute()
方法的语句。该类已隐式包含于DDLElement
和FunctionElement
中。
上述大多数构造也支持 SQL 语句缓存。自定义构造应定义其缓存行为,通常是设置 inherit_cache
标志为 False
或 True
。
参见下一节 为自定义构造启用缓存支持 获取背景信息。
A big part of using the compiler extension is subclassing SQLAlchemy expression constructs. To make this easier, the expression and schema packages feature a set of “bases” intended for common tasks. A synopsis is as follows:
ClauseElement
- This is the root expression class. Any SQL expression can be derived from this base, and is probably the best choice for longer constructs such as specialized INSERT statements.ColumnElement
- The root of all “column-like” elements. Anything that you’d place in the “columns” clause of a SELECT statement (as well as order by and group by) can derive from this - the object will automatically have Python “comparison” behavior.ColumnElement
classes want to have atype
member which is expression’s return type. This can be established at the instance level in the constructor, or at the class level if its generally constant:class timestamp(ColumnElement): type = TIMESTAMP() inherit_cache = True
FunctionElement
- This is a hybrid of aColumnElement
and a “from clause” like object, and represents a SQL function or stored procedure type of call. Since most databases support statements along the line of “SELECT FROM <some function>”FunctionElement
adds in the ability to be used in the FROM clause of aselect()
construct:from sqlalchemy.sql.expression import FunctionElement class coalesce(FunctionElement): name = "coalesce" inherit_cache = True @compiles(coalesce) def compile(element, compiler, **kw): return "coalesce(%s)" % compiler.process(element.clauses, **kw) @compiles(coalesce, "oracle") def compile(element, compiler, **kw): if len(element.clauses) > 2: raise TypeError( "coalesce only supports two arguments on " "Oracle Database" ) return "nvl(%s)" % compiler.process(element.clauses, **kw)
ExecutableDDLElement
- The root of all DDL expressions, like CREATE TABLE, ALTER TABLE, etc. Compilation ofExecutableDDLElement
subclasses is issued by aDDLCompiler
instead of aSQLCompiler
.ExecutableDDLElement
can also be used as an event hook in conjunction with event hooks likeDDLEvents.before_create()
andDDLEvents.after_create()
, allowing the construct to be invoked automatically during CREATE TABLE and DROP TABLE sequences.参见
自定义 DDL - contains examples of associating
DDL
objects (which are themselvesExecutableDDLElement
instances) withDDLEvents
event hooks.Executable
- This is a mixin which should be used with any expression class that represents a “standalone” SQL statement that can be passed directly to anexecute()
method. It is already implicit withinDDLElement
andFunctionElement
.
Most of the above constructs also respond to SQL statement caching. A
subclassed construct will want to define the caching behavior for the object,
which usually means setting the flag inherit_cache
to the value of
False
or True
. See the next section 为自定义构造启用缓存支持
for background.
为自定义构造启用缓存支持¶
Enabling Caching Support for Custom Constructs
从 SQLAlchemy 1.4 起,包含了一个 SQL 编译缓存机制, 该机制允许等效 SQL 构造缓存其字符串形式,以及用于从语句获取结果的其他结构信息。
如 对象不会产生缓存键,性能影响 中所述,为了安全性,该缓存机制对自定义 SQL 构造或子类采用保守的纳入策略。
这意味着,任何用户定义的 SQL 构造(包括本扩展中的所有示例)默认不会参与缓存,
除非它们明确声明自己是安全可缓存的。
当在特定子类的类级别将 HasCacheKey.inherit_cache
属性设为 True
时,
表示该类的实例可以安全缓存,并复用其直接父类的缓存键生成逻辑。
例如,之前提到的“简要说明”中的一个示例:
class MyColumn(ColumnClause):
inherit_cache = True
@compiles(MyColumn)
def compile_mycolumn(element, compiler, **kw):
return "[%s]" % element.name
如上所示,MyColumn
类没有添加任何会影响 SQL 编译的新状态;
因此 MyColumn
实例的缓存键将使用其父类 ColumnClause
的缓存键机制,
包括对象的类(MyColumn
)、字符串名称和数据类型:
>>> MyColumn("some_name", String())._generate_cache_key()
CacheKey(
key=('0', <class '__main__.MyColumn'>,
'name', 'some_name',
'type', (<class 'sqlalchemy.sql.sqltypes.String'>,
('length', None), ('collation', None))
), bindparams=[])
对于那些 可能会被广泛用作许多大型语句组件 的对象,如 Column
的子类或自定义 SQL 类型,
尽可能启用缓存 是非常重要的,否则可能会对性能产生负面影响。
一个包含会影响其 SQL 编译的状态的对象示例如 编译自定义表达式构造的子元素 中所示;
该示例是一个“INSERT FROM SELECT”构造,组合了一个 Table
和一个 Select
构造,
这两个组件都会独立影响最终生成的 SQL 语句。因此,对于这个类,示例中表明它不参与缓存:
class InsertFromSelect(Executable, ClauseElement):
inherit_cache = False
def __init__(self, table, select):
self.table = table
self.select = select
@compiles(InsertFromSelect)
def visit_insert_from_select(element, compiler, **kw):
return "INSERT INTO %s (%s)" % (
compiler.process(element.table, asfrom=True, **kw),
compiler.process(element.select, **kw),
)
尽管也有可能让上述 InsertFromSelect
构造生成一个由其 Table
和 Select
组件组成的缓存键,但目前该 API 并未完全公开。
不过对于“INSERT FROM SELECT”这类仅用于特定操作的构造来说,缓存并不像前一个例子那样关键。
- 对于那些**相对独立、通常是独立使用**的对象,如自定义的 DML 构造(例如“INSERT FROM SELECT”),
缓存通常不那么关键,因为这类构造不参与缓存对性能的影响通常只局限于其自身操作。
SQLAlchemy as of version 1.4 includes a SQL compilation caching facility which will allow equivalent SQL constructs to cache their stringified form, along with other structural information used to fetch results from the statement.
For reasons discussed at 对象不会产生缓存键,性能影响, the implementation of this
caching system takes a conservative approach towards including custom SQL
constructs and/or subclasses within the caching system. This includes that
any user-defined SQL constructs, including all the examples for this
extension, will not participate in caching by default unless they positively
assert that they are able to do so. The HasCacheKey.inherit_cache
attribute when set to True
at the class level of a specific subclass
will indicate that instances of this class may be safely cached, using the
cache key generation scheme of the immediate superclass. This applies
for example to the “synopsis” example indicated previously:
class MyColumn(ColumnClause):
inherit_cache = True
@compiles(MyColumn)
def compile_mycolumn(element, compiler, **kw):
return "[%s]" % element.name
Above, the MyColumn
class does not include any new state that
affects its SQL compilation; the cache key of MyColumn
instances will
make use of that of the ColumnClause
superclass, meaning it will take
into account the class of the object (MyColumn
), the string name and
datatype of the object:
>>> MyColumn("some_name", String())._generate_cache_key()
CacheKey(
key=('0', <class '__main__.MyColumn'>,
'name', 'some_name',
'type', (<class 'sqlalchemy.sql.sqltypes.String'>,
('length', None), ('collation', None))
), bindparams=[])
For objects that are likely to be used liberally as components within many
larger statements, such as Column
subclasses and custom SQL
datatypes, it’s important that caching be enabled as much as possible, as
this may otherwise negatively affect performance.
An example of an object that does contain state which affects its SQL
compilation is the one illustrated at 编译自定义表达式构造的子元素;
this is an “INSERT FROM SELECT” construct that combines together a
Table
as well as a Select
construct, each of
which independently affect the SQL string generation of the construct. For
this class, the example illustrates that it simply does not participate in
caching:
class InsertFromSelect(Executable, ClauseElement):
inherit_cache = False
def __init__(self, table, select):
self.table = table
self.select = select
@compiles(InsertFromSelect)
def visit_insert_from_select(element, compiler, **kw):
return "INSERT INTO %s (%s)" % (
compiler.process(element.table, asfrom=True, **kw),
compiler.process(element.select, **kw),
)
While it is also possible that the above InsertFromSelect
could be made to
produce a cache key that is composed of that of the Table
and
Select
components together, the API for this is not at the moment
fully public. However, for an “INSERT FROM SELECT” construct, which is only
used by itself for specific operations, caching is not as critical as in the
previous example.
For objects that are used in relative isolation and are generally standalone, such as custom DML constructs like an “INSERT FROM SELECT”, caching is generally less critical as the lack of caching for such a construct will have only localized implications for that specific operation.
更多示例¶
Further Examples
“UTC 时间戳”函数¶
“UTC timestamp” function
一个类似于 “CURRENT_TIMESTAMP” 的函数,不同之处在于它会进行适当的转换,以确保时间为 UTC 时间。 时间戳在关系型数据库中最好以 UTC(不带时区)存储。使用 UTC 是为了避免数据库在夏令时结束的那个小时里出现“时间倒退”的情况; 不使用时区是因为时区就像字符编码 —— 最好只在应用程序的端点处理(即在用户输入时转换为 UTC,在显示时再应用所需的时区)。
适用于 PostgreSQL 和 Microsoft SQL Server 的实现方式如下:
from sqlalchemy.sql import expression
from sqlalchemy.ext.compiler import compiles
from sqlalchemy.types import DateTime
class utcnow(expression.FunctionElement):
type = DateTime()
inherit_cache = True
@compiles(utcnow, "postgresql")
def pg_utcnow(element, compiler, **kw):
return "TIMEZONE('utc', CURRENT_TIMESTAMP)"
@compiles(utcnow, "mssql")
def ms_utcnow(element, compiler, **kw):
return "GETUTCDATE()"
示例用法:
from sqlalchemy import Table, Column, Integer, String, DateTime, MetaData
metadata = MetaData()
event = Table(
"event",
metadata,
Column("id", Integer, primary_key=True),
Column("description", String(50), nullable=False),
Column("timestamp", DateTime, server_default=utcnow()),
)
A function that works like “CURRENT_TIMESTAMP” except applies the appropriate conversions so that the time is in UTC time. Timestamps are best stored in relational databases as UTC, without time zones. UTC so that your database doesn’t think time has gone backwards in the hour when daylight savings ends, without timezones because timezones are like character encodings - they’re best applied only at the endpoints of an application (i.e. convert to UTC upon user input, re-apply desired timezone upon display).
For PostgreSQL and Microsoft SQL Server:
from sqlalchemy.sql import expression
from sqlalchemy.ext.compiler import compiles
from sqlalchemy.types import DateTime
class utcnow(expression.FunctionElement):
type = DateTime()
inherit_cache = True
@compiles(utcnow, "postgresql")
def pg_utcnow(element, compiler, **kw):
return "TIMEZONE('utc', CURRENT_TIMESTAMP)"
@compiles(utcnow, "mssql")
def ms_utcnow(element, compiler, **kw):
return "GETUTCDATE()"
Example usage:
from sqlalchemy import Table, Column, Integer, String, DateTime, MetaData
metadata = MetaData()
event = Table(
"event",
metadata,
Column("id", Integer, primary_key=True),
Column("description", String(50), nullable=False),
Column("timestamp", DateTime, server_default=utcnow()),
)
“GREATEST”函数¶
“GREATEST” function
“GREATEST” 函数接受任意数量的参数,并返回其中数值最大的一个 —— 类似于 Python 中的 max
函数。
标准 SQL 中提供了该函数,而在某些数据库中则可以用仅支持两个参数的 CASE 表达式模拟:
from sqlalchemy.sql import expression, case
from sqlalchemy.ext.compiler import compiles
from sqlalchemy.types import Numeric
class greatest(expression.FunctionElement):
type = Numeric()
name = "greatest"
inherit_cache = True
@compiles(greatest)
def default_greatest(element, compiler, **kw):
return compiler.visit_function(element)
@compiles(greatest, "sqlite")
@compiles(greatest, "mssql")
@compiles(greatest, "oracle")
def case_greatest(element, compiler, **kw):
arg1, arg2 = list(element.clauses)
return compiler.process(case((arg1 > arg2, arg1), else_=arg2), **kw)
示例用法:
Session.query(Account).filter(
greatest(Account.checking_balance, Account.savings_balance) > 10000
)
The “GREATEST” function is given any number of arguments and returns the one
that is of the highest value - its equivalent to Python’s max
function. A SQL standard version versus a CASE based version which only
accommodates two arguments:
from sqlalchemy.sql import expression, case
from sqlalchemy.ext.compiler import compiles
from sqlalchemy.types import Numeric
class greatest(expression.FunctionElement):
type = Numeric()
name = "greatest"
inherit_cache = True
@compiles(greatest)
def default_greatest(element, compiler, **kw):
return compiler.visit_function(element)
@compiles(greatest, "sqlite")
@compiles(greatest, "mssql")
@compiles(greatest, "oracle")
def case_greatest(element, compiler, **kw):
arg1, arg2 = list(element.clauses)
return compiler.process(case((arg1 > arg2, arg1), else_=arg2), **kw)
Example usage:
Session.query(Account).filter(
greatest(Account.checking_balance, Account.savings_balance) > 10000
)
“false”表达式¶
“false” expression
生成一个“false”常量表达式,在不支持 “false” 常量的平台上渲染为 “0”:
from sqlalchemy.sql import expression
from sqlalchemy.ext.compiler import compiles
class sql_false(expression.ColumnElement):
inherit_cache = True
@compiles(sql_false)
def default_false(element, compiler, **kw):
return "false"
@compiles(sql_false, "mssql")
@compiles(sql_false, "mysql")
@compiles(sql_false, "oracle")
def int_false(element, compiler, **kw):
return "0"
示例用法:
from sqlalchemy import select, union_all
exp = union_all(
select(users.c.name, sql_false().label("enrolled")),
select(customers.c.name, customers.c.enrolled),
)
Render a “false” constant expression, rendering as “0” on platforms that don’t have a “false” constant:
from sqlalchemy.sql import expression
from sqlalchemy.ext.compiler import compiles
class sql_false(expression.ColumnElement):
inherit_cache = True
@compiles(sql_false)
def default_false(element, compiler, **kw):
return "false"
@compiles(sql_false, "mssql")
@compiles(sql_false, "mysql")
@compiles(sql_false, "oracle")
def int_false(element, compiler, **kw):
return "0"
Example usage:
from sqlalchemy import select, union_all
exp = union_all(
select(users.c.name, sql_false().label("enrolled")),
select(customers.c.name, customers.c.enrolled),
)
Object Name | Description |
---|---|
compiles(class_, *specs) |
Register a function as a compiler for a
given |
deregister(class_) |
Remove all custom compilers associated with a given
|
Defines a unit that when also extending from |
- function sqlalchemy.ext.compiler.compiles(class_: Type[Any], *specs: str) Callable[[_F], _F] ¶
Register a function as a compiler for a given
ClauseElement
type.
- function sqlalchemy.ext.compiler.deregister(class_: Type[Any]) None ¶
Remove all custom compilers associated with a given
ClauseElement
type.
- class sqlalchemy.sql.SyntaxExtension¶
Defines a unit that when also extending from
ClauseElement
can be applied to SQLAlchemy statementsSelect
,Insert
,Update
andDelete
making use of pre-established SQL insertion points within these constructs.在 2.1 版本加入.
Members
append_replacing_same_type(), apply_to_delete(), apply_to_insert(), apply_to_select(), apply_to_update()
Class signature
class
sqlalchemy.sql.SyntaxExtension
(sqlalchemy.sql.roles.SyntaxExtensionRole
)-
method
sqlalchemy.sql.SyntaxExtension.
append_replacing_same_type(existing: Sequence[ClauseElement]) Sequence[ClauseElement] ¶ Utility function that can be used as
HasSyntaxExtensions.apply_extension_point.apply_fn
to remove any other element of the same type in existing and appendingself
to the list.This is equivalent to:
stmt.apply_extension_point( lambda existing: [ *(e for e in existing if not isinstance(e, ReplaceOfTypeExt)), self, ], "post_criteria", )
-
method
sqlalchemy.sql.SyntaxExtension.
apply_to_delete(delete_stmt: Delete) None ¶ Apply this
SyntaxExtension
to aDelete
-
method
sqlalchemy.sql.SyntaxExtension.
apply_to_insert(insert_stmt: Insert) None ¶ Apply this
SyntaxExtension
to anInsert
-
method
sqlalchemy.sql.SyntaxExtension.
apply_to_select(select_stmt: Select[Unpack[_Ts]]) None ¶ Apply this
SyntaxExtension
to aSelect
-
method
sqlalchemy.sql.SyntaxExtension.
apply_to_update(update_stmt: Update) None ¶ Apply this
SyntaxExtension
to anUpdate
-
method