
    hh(                   L   d Z ddlmZ ddlmZ ddlmZ ddlmZ ddl	Z	ddl
mZ dd	lmZ dd
lmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlmZ ddlm Z  ddlm!Z! ddlm"Z" ddlm#Z# ddlm$Z$ ddlm%Z% ddlm&Z& ddlm'Z' ddlm(Z( dd lm)Z) dd!lm*Z* dd"lm+Z+ dd#lm,Z, dd$lm-Z- dd%lm.Z. dd&lm/Z/ dd'lm0Z0 dd(lm1Z1 dd)lm2Z2 dd*lm3Z3 dd+lm4Z4 dd,lm5Z5 dd-lm6Z6 dd.lm7Z7 dd/lm8Z8 d0d1lm9Z9 d0d2lm:Z: d0d3lm;Z; d0d4lm<Z= d0d5lm>Z> d0d6lm?Z? d0d7l@mAZB d0d8l@mCZC d0d	l@mZ d0d9lDmEZE d0d:l>mFZF d0d;l>mGZG d0d<l>mHZH d0d=l>mIZI d0d>l>mJZJ d0d?l>mKZK d0d@l>mLZL d0d6l>m?ZM d0dAl>mNZN d0dBlOmPZP d0dClOmQZQ d0dDlRmSZS d0dElmTZT d0dFlmUZU d0dGlmVZV d0dHlmWZW d0dIlmXZX d0dJlmYZY d0dKl?mZZZ  e	j                  dLe	j                  e	j                  z        Z^e2Z_eZ`eZae'Zbe)Zce4ZdeUZeeTZfeYZge,Zhe.Zie!Zje7Zke(Zle+Zme6Zne1Zoe8Zpe3Zqe Zre0Zse5Zte*ZueZve-Zwe#Zxe$Zye/Zze%Z{e&Z|eeeeeeeLj                  e-eLj                  e%eLj                  e$eLj                   e2eLj                  eeLj                  eeLj&                  eeLj&                  j(                  eeLj&                  j*                  eiZi dMedNeTdOe dPeUdQeVdRe!dSeWdTe"dUe#dVe$dWedXe#dYe%dZe&d[e&d\ed]e'i d^e(d_e)d`e*dae+dbe,dce.dde-deedfe0dge1dhe2die3dje4dke5dle6dmeXdneYe7e8doZ G dp dqeCj
                        Z G dr dseGj                        Z G dt dueGj                        Z G dv dweGj                        Z G dx dyeGj                        Z G dz d{e      Ze;j                   G d| d}eCj                                Z G d~ d      Z e>j&                  d e>j(                  d e7d             e>j(                  d e7d             e>j(                  d e7d            d4      Zy)an  

.. dialect:: mysql
    :name: MySQL / MariaDB
    :normal_support: 5.6+ / 10+
    :best_effort: 5.0.2+ / 5.0.2+

Supported Versions and Features
-------------------------------

SQLAlchemy supports MySQL starting with version 5.0.2 through modern releases,
as well as all modern versions of MariaDB.   See the official MySQL
documentation for detailed information about features supported in any given
server release.

.. versionchanged:: 1.4  minimum MySQL version supported is now 5.0.2.

MariaDB Support
~~~~~~~~~~~~~~~

The MariaDB variant of MySQL retains fundamental compatibility with MySQL's
protocols however the development of these two products continues to diverge.
Within the realm of SQLAlchemy, the two databases have a small number of
syntactical and behavioral differences that SQLAlchemy accommodates automatically.
To connect to a MariaDB database, no changes to the database URL are required::


    engine = create_engine(
        "mysql+pymysql://user:pass@some_mariadb/dbname?charset=utf8mb4"
    )

Upon first connect, the SQLAlchemy dialect employs a
server version detection scheme that determines if the
backing database reports as MariaDB.  Based on this flag, the dialect
can make different choices in those of areas where its behavior
must be different.

.. _mysql_mariadb_only_mode:

MariaDB-Only Mode
~~~~~~~~~~~~~~~~~

The dialect also supports an **optional** "MariaDB-only" mode of connection, which may be
useful for the case where an application makes use of MariaDB-specific features
and is not compatible with a MySQL database.    To use this mode of operation,
replace the "mysql" token in the above URL with "mariadb"::

    engine = create_engine(
        "mariadb+pymysql://user:pass@some_mariadb/dbname?charset=utf8mb4"
    )

The above engine, upon first connect, will raise an error if the server version
detection detects that the backing database is not MariaDB.

When using an engine with ``"mariadb"`` as the dialect name, **all mysql-specific options
that include the name "mysql" in them are now named with "mariadb"**.  This means
options like ``mysql_engine`` should be named ``mariadb_engine``, etc.  Both
"mysql" and "mariadb" options can be used simultaneously for applications that
use URLs with both "mysql" and "mariadb" dialects::

    my_table = Table(
        "mytable",
        metadata,
        Column("id", Integer, primary_key=True),
        Column("textdata", String(50)),
        mariadb_engine="InnoDB",
        mysql_engine="InnoDB",
    )

    Index(
        "textdata_ix",
        my_table.c.textdata,
        mysql_prefix="FULLTEXT",
        mariadb_prefix="FULLTEXT",
    )

Similar behavior will occur when the above structures are reflected, i.e. the
"mariadb" prefix will be present in the option names when the database URL
is based on the "mariadb" name.

.. versionadded:: 1.4 Added "mariadb" dialect name supporting "MariaDB-only mode"
   for the MySQL dialect.

.. _mysql_connection_timeouts:

Connection Timeouts and Disconnects
-----------------------------------

MySQL / MariaDB feature an automatic connection close behavior, for connections that
have been idle for a fixed period of time, defaulting to eight hours.
To circumvent having this issue, use
the :paramref:`_sa.create_engine.pool_recycle` option which ensures that
a connection will be discarded and replaced with a new one if it has been
present in the pool for a fixed number of seconds::

    engine = create_engine("mysql+mysqldb://...", pool_recycle=3600)

For more comprehensive disconnect detection of pooled connections, including
accommodation of  server restarts and network issues, a pre-ping approach may
be employed.  See :ref:`pool_disconnects` for current approaches.

.. seealso::

    :ref:`pool_disconnects` - Background on several techniques for dealing
    with timed out connections as well as database restarts.

.. _mysql_storage_engines:

CREATE TABLE arguments including Storage Engines
------------------------------------------------

Both MySQL's and MariaDB's CREATE TABLE syntax includes a wide array of special options,
including ``ENGINE``, ``CHARSET``, ``MAX_ROWS``, ``ROW_FORMAT``,
``INSERT_METHOD``, and many more.
To accommodate the rendering of these arguments, specify the form
``mysql_argument_name="value"``.  For example, to specify a table with
``ENGINE`` of ``InnoDB``, ``CHARSET`` of ``utf8mb4``, and ``KEY_BLOCK_SIZE``
of ``1024``::

  Table(
      "mytable",
      metadata,
      Column("data", String(32)),
      mysql_engine="InnoDB",
      mysql_charset="utf8mb4",
      mysql_key_block_size="1024",
  )

When supporting :ref:`mysql_mariadb_only_mode` mode, similar keys against
the "mariadb" prefix must be included as well.  The values can of course
vary independently so that different settings on MySQL vs. MariaDB may
be maintained::

  # support both "mysql" and "mariadb-only" engine URLs

  Table(
      "mytable",
      metadata,
      Column("data", String(32)),
      mysql_engine="InnoDB",
      mariadb_engine="InnoDB",
      mysql_charset="utf8mb4",
      mariadb_charset="utf8",
      mysql_key_block_size="1024",
      mariadb_key_block_size="1024",
  )

The MySQL / MariaDB dialects will normally transfer any keyword specified as
``mysql_keyword_name`` to be rendered as ``KEYWORD_NAME`` in the
``CREATE TABLE`` statement.  A handful of these names will render with a space
instead of an underscore; to support this, the MySQL dialect has awareness of
these particular names, which include ``DATA DIRECTORY``
(e.g. ``mysql_data_directory``), ``CHARACTER SET`` (e.g.
``mysql_character_set``) and ``INDEX DIRECTORY`` (e.g.
``mysql_index_directory``).

The most common argument is ``mysql_engine``, which refers to the storage
engine for the table.  Historically, MySQL server installations would default
to ``MyISAM`` for this value, although newer versions may be defaulting
to ``InnoDB``.  The ``InnoDB`` engine is typically preferred for its support
of transactions and foreign keys.

A :class:`_schema.Table`
that is created in a MySQL / MariaDB database with a storage engine
of ``MyISAM`` will be essentially non-transactional, meaning any
INSERT/UPDATE/DELETE statement referring to this table will be invoked as
autocommit.   It also will have no support for foreign key constraints; while
the ``CREATE TABLE`` statement accepts foreign key options, when using the
``MyISAM`` storage engine these arguments are discarded.  Reflecting such a
table will also produce no foreign key constraint information.

For fully atomic transactions as well as support for foreign key
constraints, all participating ``CREATE TABLE`` statements must specify a
transactional engine, which in the vast majority of cases is ``InnoDB``.


Case Sensitivity and Table Reflection
-------------------------------------

Both MySQL and MariaDB have inconsistent support for case-sensitive identifier
names, basing support on specific details of the underlying
operating system. However, it has been observed that no matter
what case sensitivity behavior is present, the names of tables in
foreign key declarations are *always* received from the database
as all-lower case, making it impossible to accurately reflect a
schema where inter-related tables use mixed-case identifier names.

Therefore it is strongly advised that table names be declared as
all lower case both within SQLAlchemy as well as on the MySQL / MariaDB
database itself, especially if database reflection features are
to be used.

.. _mysql_isolation_level:

Transaction Isolation Level
---------------------------

All MySQL / MariaDB dialects support setting of transaction isolation level both via a
dialect-specific parameter :paramref:`_sa.create_engine.isolation_level`
accepted
by :func:`_sa.create_engine`, as well as the
:paramref:`.Connection.execution_options.isolation_level` argument as passed to
:meth:`_engine.Connection.execution_options`.
This feature works by issuing the
command ``SET SESSION TRANSACTION ISOLATION LEVEL <level>`` for each new
connection.  For the special AUTOCOMMIT isolation level, DBAPI-specific
techniques are used.

To set isolation level using :func:`_sa.create_engine`::

    engine = create_engine(
        "mysql+mysqldb://scott:tiger@localhost/test",
        isolation_level="READ UNCOMMITTED",
    )

To set using per-connection execution options::

    connection = engine.connect()
    connection = connection.execution_options(isolation_level="READ COMMITTED")

Valid values for ``isolation_level`` include:

* ``READ COMMITTED``
* ``READ UNCOMMITTED``
* ``REPEATABLE READ``
* ``SERIALIZABLE``
* ``AUTOCOMMIT``

The special ``AUTOCOMMIT`` value makes use of the various "autocommit"
attributes provided by specific DBAPIs, and is currently supported by
MySQLdb, MySQL-Client, MySQL-Connector Python, and PyMySQL.   Using it,
the database connection will return true for the value of
``SELECT @@autocommit;``.

There are also more options for isolation level configurations, such as
"sub-engine" objects linked to a main :class:`_engine.Engine` which each apply
different isolation level settings.  See the discussion at
:ref:`dbapi_autocommit` for background.

.. seealso::

    :ref:`dbapi_autocommit`

AUTO_INCREMENT Behavior
-----------------------

When creating tables, SQLAlchemy will automatically set ``AUTO_INCREMENT`` on
the first :class:`.Integer` primary key column which is not marked as a
foreign key::

  >>> t = Table(
  ...     "mytable", metadata, Column("mytable_id", Integer, primary_key=True)
  ... )
  >>> t.create()
  CREATE TABLE mytable (
          id INTEGER NOT NULL AUTO_INCREMENT,
          PRIMARY KEY (id)
  )

You can disable this behavior by passing ``False`` to the
:paramref:`_schema.Column.autoincrement` argument of :class:`_schema.Column`.
This flag
can also be used to enable auto-increment on a secondary column in a
multi-column key for some storage engines::

  Table(
      "mytable",
      metadata,
      Column("gid", Integer, primary_key=True, autoincrement=False),
      Column("id", Integer, primary_key=True),
  )

.. _mysql_ss_cursors:

Server Side Cursors
-------------------

Server-side cursor support is available for the mysqlclient, PyMySQL,
mariadbconnector dialects and may also be available in others.   This makes use
of either the "buffered=True/False" flag if available or by using a class such
as ``MySQLdb.cursors.SSCursor`` or ``pymysql.cursors.SSCursor`` internally.


Server side cursors are enabled on a per-statement basis by using the
:paramref:`.Connection.execution_options.stream_results` connection execution
option::

    with engine.connect() as conn:
        result = conn.execution_options(stream_results=True).execute(
            text("select * from table")
        )

Note that some kinds of SQL statements may not be supported with
server side cursors; generally, only SQL statements that return rows should be
used with this option.

.. deprecated:: 1.4  The dialect-level server_side_cursors flag is deprecated
   and will be removed in a future release.  Please use the
   :paramref:`_engine.Connection.stream_results` execution option for
   unbuffered cursor support.

.. seealso::

    :ref:`engine_stream_results`

.. _mysql_unicode:

Unicode
-------

Charset Selection
~~~~~~~~~~~~~~~~~

Most MySQL / MariaDB DBAPIs offer the option to set the client character set for
a connection.   This is typically delivered using the ``charset`` parameter
in the URL, such as::

    e = create_engine(
        "mysql+pymysql://scott:tiger@localhost/test?charset=utf8mb4"
    )

This charset is the **client character set** for the connection.  Some
MySQL DBAPIs will default this to a value such as ``latin1``, and some
will make use of the ``default-character-set`` setting in the ``my.cnf``
file as well.   Documentation for the DBAPI in use should be consulted
for specific behavior.

The encoding used for Unicode has traditionally been ``'utf8'``.  However, for
MySQL versions 5.5.3 and MariaDB 5.5 on forward, a new MySQL-specific encoding
``'utf8mb4'`` has been introduced, and as of MySQL 8.0 a warning is emitted by
the server if plain ``utf8`` is specified within any server-side directives,
replaced with ``utf8mb3``.  The rationale for this new encoding is due to the
fact that MySQL's legacy utf-8 encoding only supports codepoints up to three
bytes instead of four.  Therefore, when communicating with a MySQL or MariaDB
database that includes codepoints more than three bytes in size, this new
charset is preferred, if supported by both the database as well as the client
DBAPI, as in::

    e = create_engine(
        "mysql+pymysql://scott:tiger@localhost/test?charset=utf8mb4"
    )

All modern DBAPIs should support the ``utf8mb4`` charset.

In order to use ``utf8mb4`` encoding for a schema that was created with  legacy
``utf8``, changes to the MySQL/MariaDB schema and/or server configuration may be
required.

.. seealso::

    `The utf8mb4 Character Set \
    <https://dev.mysql.com/doc/refman/5.5/en/charset-unicode-utf8mb4.html>`_ - \
    in the MySQL documentation

.. _mysql_binary_introducer:

Dealing with Binary Data Warnings and Unicode
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

MySQL versions 5.6, 5.7 and later (not MariaDB at the time of this writing) now
emit a warning when attempting to pass binary data to the database, while a
character set encoding is also in place, when the binary data itself is not
valid for that encoding:

.. sourcecode:: text

    default.py:509: Warning: (1300, "Invalid utf8mb4 character string:
    'F9876A'")
      cursor.execute(statement, parameters)

This warning is due to the fact that the MySQL client library is attempting to
interpret the binary string as a unicode object even if a datatype such
as :class:`.LargeBinary` is in use.   To resolve this, the SQL statement requires
a binary "character set introducer" be present before any non-NULL value
that renders like this:

.. sourcecode:: sql

    INSERT INTO table (data) VALUES (_binary %s)

These character set introducers are provided by the DBAPI driver, assuming the
use of mysqlclient or PyMySQL (both of which are recommended).  Add the query
string parameter ``binary_prefix=true`` to the URL to repair this warning::

    # mysqlclient
    engine = create_engine(
        "mysql+mysqldb://scott:tiger@localhost/test?charset=utf8mb4&binary_prefix=true"
    )

    # PyMySQL
    engine = create_engine(
        "mysql+pymysql://scott:tiger@localhost/test?charset=utf8mb4&binary_prefix=true"
    )

The ``binary_prefix`` flag may or may not be supported by other MySQL drivers.

SQLAlchemy itself cannot render this ``_binary`` prefix reliably, as it does
not work with the NULL value, which is valid to be sent as a bound parameter.
As the MySQL driver renders parameters directly into the SQL string, it's the
most efficient place for this additional keyword to be passed.

.. seealso::

    `Character set introducers <https://dev.mysql.com/doc/refman/5.7/en/charset-introducer.html>`_ - on the MySQL website


ANSI Quoting Style
------------------

MySQL / MariaDB feature two varieties of identifier "quoting style", one using
backticks and the other using quotes, e.g. ```some_identifier```  vs.
``"some_identifier"``.   All MySQL dialects detect which version
is in use by checking the value of :ref:`sql_mode<mysql_sql_mode>` when a connection is first
established with a particular :class:`_engine.Engine`.
This quoting style comes
into play when rendering table and column names as well as when reflecting
existing database structures.  The detection is entirely automatic and
no special configuration is needed to use either quoting style.


.. _mysql_sql_mode:

Changing the sql_mode
---------------------

MySQL supports operating in multiple
`Server SQL Modes <https://dev.mysql.com/doc/refman/8.0/en/sql-mode.html>`_  for
both Servers and Clients. To change the ``sql_mode`` for a given application, a
developer can leverage SQLAlchemy's Events system.

In the following example, the event system is used to set the ``sql_mode`` on
the ``first_connect`` and ``connect`` events::

    from sqlalchemy import create_engine, event

    eng = create_engine(
        "mysql+mysqldb://scott:tiger@localhost/test", echo="debug"
    )


    # `insert=True` will ensure this is the very first listener to run
    @event.listens_for(eng, "connect", insert=True)
    def connect(dbapi_connection, connection_record):
        cursor = dbapi_connection.cursor()
        cursor.execute("SET sql_mode = 'STRICT_ALL_TABLES'")


    conn = eng.connect()

In the example illustrated above, the "connect" event will invoke the "SET"
statement on the connection at the moment a particular DBAPI connection is
first created for a given Pool, before the connection is made available to the
connection pool.  Additionally, because the function was registered with
``insert=True``, it will be prepended to the internal list of registered
functions.


MySQL / MariaDB SQL Extensions
------------------------------

Many of the MySQL / MariaDB SQL extensions are handled through SQLAlchemy's generic
function and operator support::

  table.select(table.c.password == func.md5("plaintext"))
  table.select(table.c.username.op("regexp")("^[a-d]"))

And of course any valid SQL statement can be executed as a string as well.

Some limited direct support for MySQL / MariaDB extensions to SQL is currently
available.

* INSERT..ON DUPLICATE KEY UPDATE:  See
  :ref:`mysql_insert_on_duplicate_key_update`

* SELECT pragma, use :meth:`_expression.Select.prefix_with` and
  :meth:`_query.Query.prefix_with`::

    select(...).prefix_with(["HIGH_PRIORITY", "SQL_SMALL_RESULT"])

* UPDATE with LIMIT::

    update(...).with_dialect_options(mysql_limit=10, mariadb_limit=10)

* DELETE
  with LIMIT::

    delete(...).with_dialect_options(mysql_limit=10, mariadb_limit=10)

  .. versionadded:: 2.0.37 Added delete with limit

* optimizer hints, use :meth:`_expression.Select.prefix_with` and
  :meth:`_query.Query.prefix_with`::

    select(...).prefix_with("/*+ NO_RANGE_OPTIMIZATION(t4 PRIMARY) */")

* index hints, use :meth:`_expression.Select.with_hint` and
  :meth:`_query.Query.with_hint`::

    select(...).with_hint(some_table, "USE INDEX xyz")

* MATCH
  operator support::

        from sqlalchemy.dialects.mysql import match

        select(...).where(match(col1, col2, against="some expr").in_boolean_mode())

  .. seealso::

    :class:`_mysql.match`

INSERT/DELETE...RETURNING
-------------------------

The MariaDB dialect supports 10.5+'s ``INSERT..RETURNING`` and
``DELETE..RETURNING`` (10.0+) syntaxes.   ``INSERT..RETURNING`` may be used
automatically in some cases in order to fetch newly generated identifiers in
place of the traditional approach of using ``cursor.lastrowid``, however
``cursor.lastrowid`` is currently still preferred for simple single-statement
cases for its better performance.

To specify an explicit ``RETURNING`` clause, use the
:meth:`._UpdateBase.returning` method on a per-statement basis::

    # INSERT..RETURNING
    result = connection.execute(
        table.insert().values(name="foo").returning(table.c.col1, table.c.col2)
    )
    print(result.all())

    # DELETE..RETURNING
    result = connection.execute(
        table.delete()
        .where(table.c.name == "foo")
        .returning(table.c.col1, table.c.col2)
    )
    print(result.all())

.. versionadded:: 2.0  Added support for MariaDB RETURNING

.. _mysql_insert_on_duplicate_key_update:

INSERT...ON DUPLICATE KEY UPDATE (Upsert)
------------------------------------------

MySQL / MariaDB allow "upserts" (update or insert)
of rows into a table via the ``ON DUPLICATE KEY UPDATE`` clause of the
``INSERT`` statement.  A candidate row will only be inserted if that row does
not match an existing primary or unique key in the table; otherwise, an UPDATE
will be performed.   The statement allows for separate specification of the
values to INSERT versus the values for UPDATE.

SQLAlchemy provides ``ON DUPLICATE KEY UPDATE`` support via the MySQL-specific
:func:`.mysql.insert()` function, which provides
the generative method :meth:`~.mysql.Insert.on_duplicate_key_update`:

.. sourcecode:: pycon+sql

    >>> from sqlalchemy.dialects.mysql import insert

    >>> insert_stmt = insert(my_table).values(
    ...     id="some_existing_id", data="inserted value"
    ... )

    >>> on_duplicate_key_stmt = insert_stmt.on_duplicate_key_update(
    ...     data=insert_stmt.inserted.data, status="U"
    ... )
    >>> print(on_duplicate_key_stmt)
    {printsql}INSERT INTO my_table (id, data) VALUES (%s, %s)
    ON DUPLICATE KEY UPDATE data = VALUES(data), status = %s


Unlike PostgreSQL's "ON CONFLICT" phrase, the "ON DUPLICATE KEY UPDATE"
phrase will always match on any primary key or unique key, and will always
perform an UPDATE if there's a match; there are no options for it to raise
an error or to skip performing an UPDATE.

``ON DUPLICATE KEY UPDATE`` is used to perform an update of the already
existing row, using any combination of new values as well as values
from the proposed insertion.   These values are normally specified using
keyword arguments passed to the
:meth:`_mysql.Insert.on_duplicate_key_update`
given column key values (usually the name of the column, unless it
specifies :paramref:`_schema.Column.key`
) as keys and literal or SQL expressions
as values:

.. sourcecode:: pycon+sql

    >>> insert_stmt = insert(my_table).values(
    ...     id="some_existing_id", data="inserted value"
    ... )

    >>> on_duplicate_key_stmt = insert_stmt.on_duplicate_key_update(
    ...     data="some data",
    ...     updated_at=func.current_timestamp(),
    ... )

    >>> print(on_duplicate_key_stmt)
    {printsql}INSERT INTO my_table (id, data) VALUES (%s, %s)
    ON DUPLICATE KEY UPDATE data = %s, updated_at = CURRENT_TIMESTAMP

In a manner similar to that of :meth:`.UpdateBase.values`, other parameter
forms are accepted, including a single dictionary:

.. sourcecode:: pycon+sql

    >>> on_duplicate_key_stmt = insert_stmt.on_duplicate_key_update(
    ...     {"data": "some data", "updated_at": func.current_timestamp()},
    ... )

as well as a list of 2-tuples, which will automatically provide
a parameter-ordered UPDATE statement in a manner similar to that described
at :ref:`tutorial_parameter_ordered_updates`.  Unlike the :class:`_expression.Update`
object,
no special flag is needed to specify the intent since the argument form is
this context is unambiguous:

.. sourcecode:: pycon+sql

    >>> on_duplicate_key_stmt = insert_stmt.on_duplicate_key_update(
    ...     [
    ...         ("data", "some data"),
    ...         ("updated_at", func.current_timestamp()),
    ...     ]
    ... )

    >>> print(on_duplicate_key_stmt)
    {printsql}INSERT INTO my_table (id, data) VALUES (%s, %s)
    ON DUPLICATE KEY UPDATE data = %s, updated_at = CURRENT_TIMESTAMP

.. versionchanged:: 1.3 support for parameter-ordered UPDATE clause within
   MySQL ON DUPLICATE KEY UPDATE

.. warning::

    The :meth:`_mysql.Insert.on_duplicate_key_update`
    method does **not** take into
    account Python-side default UPDATE values or generation functions, e.g.
    e.g. those specified using :paramref:`_schema.Column.onupdate`.
    These values will not be exercised for an ON DUPLICATE KEY style of UPDATE,
    unless they are manually specified explicitly in the parameters.



In order to refer to the proposed insertion row, the special alias
:attr:`_mysql.Insert.inserted` is available as an attribute on
the :class:`_mysql.Insert` object; this object is a
:class:`_expression.ColumnCollection` which contains all columns of the target
table:

.. sourcecode:: pycon+sql

    >>> stmt = insert(my_table).values(
    ...     id="some_id", data="inserted value", author="jlh"
    ... )

    >>> do_update_stmt = stmt.on_duplicate_key_update(
    ...     data="updated value", author=stmt.inserted.author
    ... )

    >>> print(do_update_stmt)
    {printsql}INSERT INTO my_table (id, data, author) VALUES (%s, %s, %s)
    ON DUPLICATE KEY UPDATE data = %s, author = VALUES(author)

When rendered, the "inserted" namespace will produce the expression
``VALUES(<columnname>)``.

.. versionadded:: 1.2 Added support for MySQL ON DUPLICATE KEY UPDATE clause



rowcount Support
----------------

SQLAlchemy standardizes the DBAPI ``cursor.rowcount`` attribute to be the
usual definition of "number of rows matched by an UPDATE or DELETE" statement.
This is in contradiction to the default setting on most MySQL DBAPI drivers,
which is "number of rows actually modified/deleted".  For this reason, the
SQLAlchemy MySQL dialects always add the ``constants.CLIENT.FOUND_ROWS``
flag, or whatever is equivalent for the target dialect, upon connection.
This setting is currently hardcoded.

.. seealso::

    :attr:`_engine.CursorResult.rowcount`


.. _mysql_indexes:

MySQL / MariaDB- Specific Index Options
-----------------------------------------

MySQL and MariaDB-specific extensions to the :class:`.Index` construct are available.

Index Length
~~~~~~~~~~~~~

MySQL and MariaDB both provide an option to create index entries with a certain length, where
"length" refers to the number of characters or bytes in each value which will
become part of the index. SQLAlchemy provides this feature via the
``mysql_length`` and/or ``mariadb_length`` parameters::

    Index("my_index", my_table.c.data, mysql_length=10, mariadb_length=10)

    Index("a_b_idx", my_table.c.a, my_table.c.b, mysql_length={"a": 4, "b": 9})

    Index(
        "a_b_idx", my_table.c.a, my_table.c.b, mariadb_length={"a": 4, "b": 9}
    )

Prefix lengths are given in characters for nonbinary string types and in bytes
for binary string types. The value passed to the keyword argument *must* be
either an integer (and, thus, specify the same prefix length value for all
columns of the index) or a dict in which keys are column names and values are
prefix length values for corresponding columns. MySQL and MariaDB only allow a
length for a column of an index if it is for a CHAR, VARCHAR, TEXT, BINARY,
VARBINARY and BLOB.

Index Prefixes
~~~~~~~~~~~~~~

MySQL storage engines permit you to specify an index prefix when creating
an index. SQLAlchemy provides this feature via the
``mysql_prefix`` parameter on :class:`.Index`::

    Index("my_index", my_table.c.data, mysql_prefix="FULLTEXT")

The value passed to the keyword argument will be simply passed through to the
underlying CREATE INDEX, so it *must* be a valid index prefix for your MySQL
storage engine.

.. seealso::

    `CREATE INDEX <https://dev.mysql.com/doc/refman/5.0/en/create-index.html>`_ - MySQL documentation

Index Types
~~~~~~~~~~~~~

Some MySQL storage engines permit you to specify an index type when creating
an index or primary key constraint. SQLAlchemy provides this feature via the
``mysql_using`` parameter on :class:`.Index`::

    Index(
        "my_index", my_table.c.data, mysql_using="hash", mariadb_using="hash"
    )

As well as the ``mysql_using`` parameter on :class:`.PrimaryKeyConstraint`::

    PrimaryKeyConstraint("data", mysql_using="hash", mariadb_using="hash")

The value passed to the keyword argument will be simply passed through to the
underlying CREATE INDEX or PRIMARY KEY clause, so it *must* be a valid index
type for your MySQL storage engine.

More information can be found at:

https://dev.mysql.com/doc/refman/5.0/en/create-index.html

https://dev.mysql.com/doc/refman/5.0/en/create-table.html

Index Parsers
~~~~~~~~~~~~~

CREATE FULLTEXT INDEX in MySQL also supports a "WITH PARSER" option.  This
is available using the keyword argument ``mysql_with_parser``::

    Index(
        "my_index",
        my_table.c.data,
        mysql_prefix="FULLTEXT",
        mysql_with_parser="ngram",
        mariadb_prefix="FULLTEXT",
        mariadb_with_parser="ngram",
    )

.. versionadded:: 1.3


.. _mysql_foreign_keys:

MySQL / MariaDB Foreign Keys
-----------------------------

MySQL and MariaDB's behavior regarding foreign keys has some important caveats.

Foreign Key Arguments to Avoid
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Neither MySQL nor MariaDB support the foreign key arguments "DEFERRABLE", "INITIALLY",
or "MATCH".  Using the ``deferrable`` or ``initially`` keyword argument with
:class:`_schema.ForeignKeyConstraint` or :class:`_schema.ForeignKey`
will have the effect of
these keywords being rendered in a DDL expression, which will then raise an
error on MySQL or MariaDB.  In order to use these keywords on a foreign key while having
them ignored on a MySQL / MariaDB backend, use a custom compile rule::

    from sqlalchemy.ext.compiler import compiles
    from sqlalchemy.schema import ForeignKeyConstraint


    @compiles(ForeignKeyConstraint, "mysql", "mariadb")
    def process(element, compiler, **kw):
        element.deferrable = element.initially = None
        return compiler.visit_foreign_key_constraint(element, **kw)

The "MATCH" keyword is in fact more insidious, and is explicitly disallowed
by SQLAlchemy in conjunction with the MySQL or MariaDB backends.  This argument is
silently ignored by MySQL / MariaDB, but in addition has the effect of ON UPDATE and ON
DELETE options also being ignored by the backend.   Therefore MATCH should
never be used with the MySQL / MariaDB backends; as is the case with DEFERRABLE and
INITIALLY, custom compilation rules can be used to correct a
ForeignKeyConstraint at DDL definition time.

Reflection of Foreign Key Constraints
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

Not all MySQL / MariaDB storage engines support foreign keys.  When using the
very common ``MyISAM`` MySQL storage engine, the information loaded by table
reflection will not include foreign keys.  For these tables, you may supply a
:class:`~sqlalchemy.ForeignKeyConstraint` at reflection time::

  Table(
      "mytable",
      metadata,
      ForeignKeyConstraint(["other_id"], ["othertable.other_id"]),
      autoload_with=engine,
  )

.. seealso::

    :ref:`mysql_storage_engines`

.. _mysql_unique_constraints:

MySQL / MariaDB Unique Constraints and Reflection
----------------------------------------------------

SQLAlchemy supports both the :class:`.Index` construct with the
flag ``unique=True``, indicating a UNIQUE index, as well as the
:class:`.UniqueConstraint` construct, representing a UNIQUE constraint.
Both objects/syntaxes are supported by MySQL / MariaDB when emitting DDL to create
these constraints.  However, MySQL / MariaDB does not have a unique constraint
construct that is separate from a unique index; that is, the "UNIQUE"
constraint on MySQL / MariaDB is equivalent to creating a "UNIQUE INDEX".

When reflecting these constructs, the
:meth:`_reflection.Inspector.get_indexes`
and the :meth:`_reflection.Inspector.get_unique_constraints`
methods will **both**
return an entry for a UNIQUE index in MySQL / MariaDB.  However, when performing
full table reflection using ``Table(..., autoload_with=engine)``,
the :class:`.UniqueConstraint` construct is
**not** part of the fully reflected :class:`_schema.Table` construct under any
circumstances; this construct is always represented by a :class:`.Index`
with the ``unique=True`` setting present in the :attr:`_schema.Table.indexes`
collection.


TIMESTAMP / DATETIME issues
---------------------------

.. _mysql_timestamp_onupdate:

Rendering ON UPDATE CURRENT TIMESTAMP for MySQL / MariaDB's explicit_defaults_for_timestamp
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

MySQL / MariaDB have historically expanded the DDL for the :class:`_types.TIMESTAMP`
datatype into the phrase "TIMESTAMP DEFAULT CURRENT_TIMESTAMP ON UPDATE
CURRENT_TIMESTAMP", which includes non-standard SQL that automatically updates
the column with the current timestamp when an UPDATE occurs, eliminating the
usual need to use a trigger in such a case where server-side update changes are
desired.

MySQL 5.6 introduced a new flag `explicit_defaults_for_timestamp
<https://dev.mysql.com/doc/refman/5.6/en/server-system-variables.html
#sysvar_explicit_defaults_for_timestamp>`_ which disables the above behavior,
and in MySQL 8 this flag defaults to true, meaning in order to get a MySQL
"on update timestamp" without changing this flag, the above DDL must be
rendered explicitly.   Additionally, the same DDL is valid for use of the
``DATETIME`` datatype as well.

SQLAlchemy's MySQL dialect does not yet have an option to generate
MySQL's "ON UPDATE CURRENT_TIMESTAMP" clause, noting that this is not a general
purpose "ON UPDATE" as there is no such syntax in standard SQL.  SQLAlchemy's
:paramref:`_schema.Column.server_onupdate` parameter is currently not related
to this special MySQL behavior.

To generate this DDL, make use of the :paramref:`_schema.Column.server_default`
parameter and pass a textual clause that also includes the ON UPDATE clause::

    from sqlalchemy import Table, MetaData, Column, Integer, String, TIMESTAMP
    from sqlalchemy import text

    metadata = MetaData()

    mytable = Table(
        "mytable",
        metadata,
        Column("id", Integer, primary_key=True),
        Column("data", String(50)),
        Column(
            "last_updated",
            TIMESTAMP,
            server_default=text(
                "CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP"
            ),
        ),
    )

The same instructions apply to use of the :class:`_types.DateTime` and
:class:`_types.DATETIME` datatypes::

    from sqlalchemy import DateTime

    mytable = Table(
        "mytable",
        metadata,
        Column("id", Integer, primary_key=True),
        Column("data", String(50)),
        Column(
            "last_updated",
            DateTime,
            server_default=text(
                "CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP"
            ),
        ),
    )

Even though the :paramref:`_schema.Column.server_onupdate` feature does not
generate this DDL, it still may be desirable to signal to the ORM that this
updated value should be fetched.  This syntax looks like the following::

    from sqlalchemy.schema import FetchedValue


    class MyClass(Base):
        __tablename__ = "mytable"

        id = Column(Integer, primary_key=True)
        data = Column(String(50))
        last_updated = Column(
            TIMESTAMP,
            server_default=text(
                "CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP"
            ),
            server_onupdate=FetchedValue(),
        )

.. _mysql_timestamp_null:

TIMESTAMP Columns and NULL
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

MySQL historically enforces that a column which specifies the
TIMESTAMP datatype implicitly includes a default value of
CURRENT_TIMESTAMP, even though this is not stated, and additionally
sets the column as NOT NULL, the opposite behavior vs. that of all
other datatypes:

.. sourcecode:: text

    mysql> CREATE TABLE ts_test (
        -> a INTEGER,
        -> b INTEGER NOT NULL,
        -> c TIMESTAMP,
        -> d TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
        -> e TIMESTAMP NULL);
    Query OK, 0 rows affected (0.03 sec)

    mysql> SHOW CREATE TABLE ts_test;
    +---------+-----------------------------------------------------
    | Table   | Create Table
    +---------+-----------------------------------------------------
    | ts_test | CREATE TABLE `ts_test` (
      `a` int(11) DEFAULT NULL,
      `b` int(11) NOT NULL,
      `c` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP,
      `d` timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP,
      `e` timestamp NULL DEFAULT NULL
    ) ENGINE=MyISAM DEFAULT CHARSET=latin1

Above, we see that an INTEGER column defaults to NULL, unless it is specified
with NOT NULL.   But when the column is of type TIMESTAMP, an implicit
default of CURRENT_TIMESTAMP is generated which also coerces the column
to be a NOT NULL, even though we did not specify it as such.

This behavior of MySQL can be changed on the MySQL side using the
`explicit_defaults_for_timestamp
<https://dev.mysql.com/doc/refman/5.6/en/server-system-variables.html
#sysvar_explicit_defaults_for_timestamp>`_ configuration flag introduced in
MySQL 5.6.  With this server setting enabled, TIMESTAMP columns behave like
any other datatype on the MySQL side with regards to defaults and nullability.

However, to accommodate the vast majority of MySQL databases that do not
specify this new flag, SQLAlchemy emits the "NULL" specifier explicitly with
any TIMESTAMP column that does not specify ``nullable=False``.   In order to
accommodate newer databases that specify ``explicit_defaults_for_timestamp``,
SQLAlchemy also emits NOT NULL for TIMESTAMP columns that do specify
``nullable=False``.   The following example illustrates::

    from sqlalchemy import MetaData, Integer, Table, Column, text
    from sqlalchemy.dialects.mysql import TIMESTAMP

    m = MetaData()
    t = Table(
        "ts_test",
        m,
        Column("a", Integer),
        Column("b", Integer, nullable=False),
        Column("c", TIMESTAMP),
        Column("d", TIMESTAMP, nullable=False),
    )


    from sqlalchemy import create_engine

    e = create_engine("mysql+mysqldb://scott:tiger@localhost/test", echo=True)
    m.create_all(e)

output:

.. sourcecode:: sql

    CREATE TABLE ts_test (
        a INTEGER,
        b INTEGER NOT NULL,
        c TIMESTAMP NULL,
        d TIMESTAMP NOT NULL
    )

    )annotations)array)defaultdict)compressN)cast   )
reflection)ENUM)SET)JSON)JSONIndexType)JSONPathType)RESERVED_WORDS_MARIADB)RESERVED_WORDS_MYSQL)
_FloatType)_IntegerType)
_MatchType)_NumericType)_StringType)BIGINT)BIT)CHAR)DATETIME)DECIMAL)DOUBLE)FLOAT)INTEGER)LONGBLOB)LONGTEXT)
MEDIUMBLOB)	MEDIUMINT)
MEDIUMTEXT)NCHAR)NUMERIC)NVARCHAR)REAL)SMALLINT)TEXT)TIME)	TIMESTAMP)TINYBLOB)TINYINT)TINYTEXT)VARCHAR)YEAR   )exc)literal_column)log)schema)sql)util)cursor)default)ReflectionDefaults)	coercions)compiler)elements)	functions)	operators)roles)sqltypes)visitors)InsertmanyvaluesSentinelOpts)SQLCompiler)SchemaConst)BINARY)BLOB)BOOLEAN)DATE)UUID)	VARBINARY)topologicalz%\s*SET\s+(?:(?:GLOBAL|SESSION)\s+)?\wbigintbinarybitblobbooleanchardatedatetimedecimaldoubleenumfixedfloatintintegerjsonlongbloblongtext
mediumblob	mediumint
mediumtextncharnvarcharnumericsetsmallinttexttime	timestamptinyblobtinyinttinytextuuid	varbinary)varcharyearc                      e Zd Zd Zd Zd Zy)MySQLExecutionContextc                d   | j                   rt        t        | j                        j                  rz| j
                  j                  sct        j                  | j
                  t        t        | j                        j                  D cg c]  }|j                  d f c}g       | _        y y y y c c}w N)isdeleter   rC   compiledeffective_returningr7   description_cursor FullyBufferedCursorFetchStrategy_result_columnskeynamecursor_fetch_strategy)selfentrys     \/var/www/html/dev/engine/venv/lib/python3.12/site-packages/sqlalchemy/dialects/mysql/base.py	post_execzMySQLExecutionContext.post_exec  s    MM[$--0DDKK++ 88KK &*'&)/	! - 	 & , E s   B-
c                    | j                   j                  r/| j                  j                  | j                   j                        S t               rs   )dialectsupports_server_side_cursors_dbapi_connectionr7   	_sscursorNotImplementedErrorr}   s    r   create_server_side_cursorz/MySQLExecutionContext.create_server_side_cursor  s9    <<44))001G1GHH%''    c                ^    | j                  d| j                  j                  |      z  |      S )Nzselect nextval(%s))_execute_scalaridentifier_preparerformat_sequence)r}   seqtype_s      r   fire_sequencez#MySQLExecutionContext.fire_sequence  s7    ##$**::3?@ 
 	
r   N)__name__
__module____qualname__r   r   r    r   r   rq   rq     s    4(
r   rq   c                      e Zd ZdZ	 ej
                  j                  j                         Zej                  ddi       d Z	d Z
d Zd Zd Zd	 Zd
 Zd Zd Zd Zd Zd Z ed      ZdZd Zd Zd Zd,dZd Z fdZd Zd Z fdZ d-dZ!d Z"d Z#d Z$d Z%d  Z&d! Z'd" Z(d# Z)d$ Z*d% Z+d& Z,d' Z-d( Z.d) Z/d* Z0d+ Z1 xZ2S ).MySQLCompilerTmillisecondsmillisecondc                Z    | j                   r| j                   d   d   }|j                  ryy)zlCalled when a ``SELECT`` statement has no froms,
        and no ``FROM`` clause is to be appended.

        
selectablez
 FROM DUAL )stack_where_criteria)r}   stmts     r   default_fromzMySQLCompiler.default_from  s,    
 ::::b>,/D###r   c                *    d| j                  |      z  S )Nzrand%s)function_argspecr}   fnkws      r   visit_random_funczMySQLCompiler.visit_random_func  s    $//333r   c                Z     dj                   fd|j                  D              }| dS )N, c              3  D   K   | ]  } |j                   fi   y wrs   _compiler_dispatch.0elemr   r}   s     r   	<genexpr>z2MySQLCompiler.visit_rollup_func.<locals>.<genexpr>  )      
48#D##D/B/
    z WITH ROLLUPjoinclauses)r}   r   r   clauses   ` ` r   visit_rollup_funczMySQLCompiler.visit_rollup_func  s1     
<>JJ
 
 &&r   c                J      fd|j                   D        \  }}d| d| dS )Nc              3  D   K   | ]  } |j                   fi   y wrs   r   r   s     r   r   z=MySQLCompiler.visit_aggregate_strings_func.<locals>.<genexpr>  r   r   zgroup_concat(z SEPARATOR ))r   )r}   r   r   expr	delimeters   ` `  r   visit_aggregate_strings_funcz*MySQLCompiler.visit_aggregate_strings_func  s1    
<>JJ
i tfK	{!<<r   c                >    d| j                   j                  |      z  S )Nznextval(%s))preparerr   )r}   r   r   s      r   visit_sequencezMySQLCompiler.visit_sequence	  s    t}}<<SAAAr   c                     y)Nz	SYSDATE()r   r   s      r   visit_sysdate_funcz MySQLCompiler.visit_sysdate_func  s    r   c           	        |j                   j                  t        j                  u r?d | j                  |j
                  fi |d | j                  |j                  fi |dS d | j                  |j
                  fi |d | j                  |j                  fi |d}|j                   j                  t        j                  u rAd | j                  |j
                  fi |d | j                  |j                  fi |d}n|j                   j                  t        j                  u r|j                   j                  |j                   j                  od | j                  |j
                  fi |d | j                  |j                  fi |d|j                   j                  d|j                   j                  d		}nd
 | j                  |j
                  fi |d | j                  |j                  fi |d}n|j                   j                  t        j                  u rd}n|j                   j                  t        j                  u r@d | j                  |j
                  fi |d | j                  |j                  fi |d	}n?d
 | j                  |j
                  fi |d | j                  |j                  fi |d}|dz   |z   dz   S )NzJSON_EXTRACT(r   r   zCASE JSON_EXTRACT(z) WHEN 'null' THEN NULLzELSE CAST(JSON_EXTRACT(z) AS SIGNED INTEGER)z) AS DECIMAL(z))zELSE JSON_EXTRACT(z)+0.0000000000000000000000zWHEN true THEN true ELSE falsezELSE JSON_UNQUOTE(JSON_EXTRACT( z END)type_type_affinityr@   r   processleftrightIntegerNumericscale	precisionBooleanString)r}   rM   operatorr   case_expressiontype_expressions         r    _render_json_extract_from_binaryz.MySQLCompiler._render_json_extract_from_binary  sl   
 ;;%%6V[[/B/V\\0R0  7 DLL++DLL,,

 ;;%%)9)99 !DLL33 DLL44  [[''8+;+;;!!-KK))5 %V[[7B7$V\\8R8--))   %V[[7B7$V\\8R8   [[''8+;+;; ?O[[''8??: V[[/B/V\\0R0O ; V[[/B/V\\0R0O
 $6??r   c                *     | j                   ||fi |S rs   r   r}   rM   r   r   s       r   visit_json_getitem_op_binaryz*MySQLCompiler.visit_json_getitem_op_binaryW      4t44VXLLLr   c                *     | j                   ||fi |S rs   r   r   s       r   !visit_json_path_getitem_op_binaryz/MySQLCompiler.visit_json_path_getitem_op_binaryZ  r   r   c           	          j                   }j                  rj                  D cg c]&  }t        j                  t        j
                  |      ( }}t        |      }|D cg c]3  }||j                  j                  v r|j                  j                  |   5 c}|j                  j                  D cg c]  }|j                  |vs| c}z   }n|j                  j                  }g }	|j                  d u xr  j                  j                  r,|j                  j                  j                         dk(  rdndfd|D        D ]  j                  j                     }
t        j                   |
      rDt#        j$                  d |
j&                        }
 j)                  |
j+                         d      }nA fd}t-        j.                  |
i |      }
 j)                  |
j+                         d      } j0                  j3                  j                        }|	j5                  |d|        t        j                        |D ch c]  }|j                   c}z
  }|rOt7        j8                  d	 j:                  j                  j                  d
dj=                  d |D                     rd ddj=                  |	       S ddj=                  |	       S c c}w c c}w c c}w c c}w )Nnewnew_1c              3  T   K   | ]  }|j                   j                  v s| ! y wrs   )keyupdate)r   colon_duplicates     r   r   z>MySQLCompiler.visit_on_duplicate_key_update.<locals>.<genexpr>{  s"     Mscgg9L9L.LsMs   (()r   F)
use_schemac                   t        | t        j                        r9| j                  j                  r#| j                         } j                  | _        | S t        | t        j                        r| j                  j                  u rkr5 dj                  j                  | j                         }t        |      S dj                  j                  | j                         d}t        |      S y )N.zVALUES(r   )
isinstancer<   BindParameterr   _isnull_cloneColumnClausetableinserted_aliasr   quotenamer2   )objcolumn_literal_clause_on_dup_alias_namecolumnr   requires_mysql8_aliasr}   s     r   replacez<MySQLCompiler.visit_on_duplicate_key_update.<locals>.replace  s    "3(>(>?HH,,!jjl#);;"
"3(=(=>II)D)DD0#5"6a#'==#6#6sxx#@"A!C 2  ..CDD #*$--*=*=chh*G)H J 2  ..CDD  $r   z = z?Additional column names not matching any column keys in table 'z': r   c              3  &   K   | ]	  }d |z    yw)'%s'Nr   )r   cs     r   r   z>MySQLCompiler.visit_on_duplicate_key_update.<locals>.<genexpr>  s     @avz@s   zAS z ON DUPLICATE KEY UPDATE zON DUPLICATE KEY UPDATE )current_executable_parameter_orderingr:   expectr?   DMLColumnRolerd   r   r   r   selectr   $_requires_alias_for_on_duplicate_keyr   lowerr   _is_literalr<   r   r   r   
self_grouprA   replacement_traverser   r   appendr6   warn	statementr   )r}   r   r   r  r   parameter_orderingordered_keysr   colsr   val
value_textr   	name_textnon_matchingr   r   r   s   ``             @@@r   visit_on_duplicate_key_updatez+MySQLCompiler.visit_on_duplicate_key_update]  s   ++	++ (;;"   !4!4c:" " 12L .)//+++ !!#& &OO--Kql1JK	LD ??$$D ) 0 0D 8 !
LL== 	 !##))+u4%,"%*" NdM (	@F%%fjj1C $$S),,T3fkkJ!\\#..*:u\M
$ $4 33CWE!\\#..*:u\M
++FKK8INN	:>?Q(	@T <../$2GQ1552GGII NN((--YY@<@@	 !() *++/99W+=*>@
 .dii.@-ABBk"
 Lv 3Hs   +K0(8K5:K:K:K?c                V     ddj                   fd|j                  D              z  S )Nz
concat(%s)r   c              3  D   K   | ]  } j                   |fi   y wrs   r   r   s     r   r   zFMySQLCompiler.visit_concat_op_expression_clauselist.<locals>.<genexpr>  s!     N4ldll4.2.Nr   r   )r}   
clauselistr   r   s   `  `r   %visit_concat_op_expression_clauselistz3MySQLCompiler.visit_concat_op_expression_clauselist  s*     IIN:;M;MNN
 	
r   c                    d | j                   |j                  fi |d | j                   |j                  fi |dS )Nzconcat(r   r   r   r   r   r   s       r   visit_concat_op_binaryz$MySQLCompiler.visit_concat_op_binary  s:    DLL++DLL,,
 	
r   ))FFF)TFF)FTF)FFT)FTT)zIN BOOLEAN MODEzIN NATURAL LANGUAGE MODEzWITH QUERY EXPANSIONc                >     | j                   ||j                  fi |S rs   )visit_match_op_binaryr   r}   elementr   s      r   visit_mysql_matchzMySQLCompiler.visit_mysql_match  s"    )t))'73C3CJrJJr   c                0   |j                   }|j                  dd      }|j                  dd      }|j                  dd      }|||f}|| j                  vr7d|z  d|z  d|z  f}	d	j                  |	      }	t	        j
                  d
|	z        |j                  }
 | j                  |
fi |}
 | j                  |j                  fi |}t        |      r;t        | j                  |      }|g}|j                  |       dj                  |      }d|
d|dS )zp
        Note that `mysql_boolean_mode` is enabled by default because of
        backward compatibility
        mysql_boolean_modeTmysql_natural_languageFmysql_query_expansionzin_boolean_mode=%szin_natural_language_mode=%szwith_query_expansion=%sr   zInvalid MySQL match flags: %sr   zMATCH (z) AGAINST (r   )	modifiersget_match_valid_flag_combinationsr   r1   CompileErrorr   r   r   anyr   _match_flag_expressionsextend)r}   rM   r   r   r  boolean_modenatural_languagequery_expansionflag_combinationflagsmatch_clauseagainst_clauseflag_expressionss                r   r  z#MySQLCompiler.visit_match_op_binary  s0    $$	 }}%94@$==)A5I#--(?G(*:OL4#F#FF$|3-0@@)O;E IIe$E""#BU#JKK{{#t||L7B7%fll9b9 ',,  
 --N!!"23 XXn5N,8.IIr   c                    |S rs   r   )r}   r   rf   s      r   get_from_hint_textz MySQLCompiler.get_from_hint_text  s    r   c                   |%|j                   j                  | j                        }t        |t        j
                        r | j                  ||j                  fi |S t        |t        j                        rt        |dd      ryyt        |t        j                        ryt        |t        j                  t        j                  t        j                  t        j                  f      r%| j                  j                  j!                  |      S t        |t        j"                        rPt        |t$        t&        f      s:t)        j*                  |      }| j                  j                  j!                  |      S t        |t        j,                        ryt        |t        j.                        ryt        |t        j0                        r5| j                  j                  j!                  |      j3                  dd	      S t        |t        j4                        r;| j                  j6                  r%| j                  j                  j!                  |      S y )
NunsignedFzUNSIGNED INTEGERzSIGNED INTEGERr   rE   r   r$   r   )r   dialect_implr   r   r@   TypeDecoratorvisit_typeclauseimplr   getattrr*   r   DateTimeDateTimetype_compiler_instancer   r   r
   r   r   _adapt_string_for_cast_Binaryr   r$   r   Float_support_float_cast)r}   
typeclauser   r   adapteds        r   r2  zMySQLCompiler.visit_typeclause  s   =OO00>EeX334(4((UZZF2FFx//0uj%0)'x112  !!	
 <<66>>uEEx/
D#;9
 11%8G<<66>>wGGx//0x}}-x//0<<66>>uEMM9  uhnn-00<<66>>uEEr   c                x   | j                  |j                        }|zt        j                  d| j                  j
                  j                  |j                  j                        z          | j                   |j                  j                         fi |S d | j                   |j                  fi |d|dS )NzMDatatype %s does not support CAST on MySQL/MariaDb; the CAST will be skipped.zCAST(z AS r   )	r   r=  r6   r  r   r8  r   r   r   )r}   r   r   r   s       r   
visit_castzMySQLCompiler.visit_cast1  s    T__-=II,,,55==OO((  4<< 6 6 8?B??  $04<<#Br#BEJJr   c                x    t         |   ||      }| j                  j                  r|j	                  dd      }|S )N\z\\)superrender_literal_valuer   _backslash_escapesr   )r}   valuer   	__class__s      r   rD  z"MySQLCompiler.render_literal_value?  s6    ,UE:<<**MM$/Er   c                     y)Ntruer   r  s      r   
visit_truezMySQLCompiler.visit_trueG      r   c                     y)Nfalser   r  s      r   visit_falsezMySQLCompiler.visit_falseJ  s    r   c                    t        |j                  t              r4t        j                  dd       |j                  j                         dz   S t        |   |fi |S )zAdd special MySQL keywords in place of DISTINCT.

        .. deprecated:: 1.4  This usage is deprecated.
           :meth:`_expression.Select.prefix_with` should be used for special
           keywords at the start of a SELECT.

        zSending string values for 'distinct' is deprecated in the MySQL dialect and will be removed in a future release.  Please use :meth:`.Select.prefix_with` for special keywords at the start of a SELECT statementz1.4)versionr   )r   	_distinctstrr6   warn_deprecatedupperrC  get_select_precolumns)r}   r   r   rG  s      r   rU  z#MySQLCompiler.get_select_precolumnsM  s^     f&&,  5  ##))+c11w,V:r::r   c                   |r1|j                   j                  |j                  |j                  f       |j                  rd}n|j
                  rd}nd}dj                   | j                  |j                  fd|d|| | j                  |j                  fd|d|d | j                  |j                  fd|i|f      S )	Nz FULL OUTER JOIN z LEFT OUTER JOIN z INNER JOIN r   T)asfromfrom_linter ON rX  )	edgesaddr   r   fullisouterr   r   onclause)r}   r   rW  rX  kwargs	join_types         r   
visit_joinzMySQLCompiler.visit_joina  s    !!499djj"9:99+I\\+I&IwwII&*GM JJ'+HN T]]NNvN

 	
r   c                    |j                   j                  rd}nd}|j                   j                  r j                  j                  rtt        j                         }|j                   j                  D ]&  }|j                  t        j                  |             ( |ddj                   fd|D              z   z  }|j                   j                  r|dz  }|j                   j                  r|dz  }|S )Nz LOCK IN SHARE MODEz FOR UPDATEz OF r   c              3  J   K   | ]  } j                   |fd dd  yw)TF)ashintr   Nr  )r   r   r   r}   s     r   r   z2MySQLCompiler.for_update_clause.<locals>.<genexpr>  s0      & UH4EHRH&s    #z NOWAITz SKIP LOCKED)_for_update_argreadofr   supports_for_update_ofr6   
OrderedSetr   sql_utilsurface_selectables_onlyr   nowaitskip_locked)r}   r   r   tmptablesr   s   ` `   r   for_update_clausezMySQLCompiler.for_update_clausez  s    !!&&'CC!!$$)L)L__&F++.. Dh??BCD 6DII &#&   C
 !!((9C!!-->!C
r   c                    |j                   |j                  }}||y|E|d | j                  |fi |ddS d | j                  |fi |d | j                  |fi |S d | j                  |fi |S )Nr   z	 
 LIMIT r   18446744073709551615)_limit_clause_offset_clauser   )r}   r   r   limit_clauseoffset_clauses        r   ru  zMySQLCompiler.limit_clause  s       !! $
 M$9& # !DLL5"5*  $ !DLL5"5 DLL44  '* &2T\\,%E"%EGGr   c                    |j                   j                  d| j                  j                  z  d       }|dt	        |       S y Nz%s_limitzLIMIT r_  r  r   r   rY   )r}   update_stmtlimits      r   update_limit_clausez!MySQLCompiler.update_limit_clause  C    ""&&zDLL4E4E'EtLCJ<((r   c                    |j                   j                  d| j                  j                  z  d       }|dt	        |       S y rx  ry  )r}   delete_stmtr{  s      r   delete_limit_clausez!MySQLCompiler.delete_limit_clause  r}  r   c                `     dd<   dj                   fd|gt        |      z   D              S )NTrW  r   c              3  D   K   | ]  } |j                   fi   y wrs   r   )r   tr   r}   s     r   r   z5MySQLCompiler.update_tables_clause.<locals>.<genexpr>  s+      
 !A  ,,
r   )r   list)r}   rz  
from_tableextra_fromsr   s   `   `r   update_tables_clausez"MySQLCompiler.update_tables_clause  s6    8yy 
 \D$55
 
 	
r   c                     y rs   r   )r}   rz  r  r  
from_hintsr   s         r   update_from_clausez MySQLCompiler.update_from_clause  s     r   c                <    d}|rd} |j                   | fdd|d|S )z=If we have extra froms make sure we render any alias as hint.FT)rW  iscrudrd  r   )r}   r  r  r  r   rd  s         r   delete_table_clausez!MySQLCompiler.delete_table_clause  s;    F,z,,
d6
=?
 	
r   c                X     dd<   ddj                   fd|g|z   D              z   S )z4Render the DELETE .. USING clause specific to MySQL.TrW  zUSING r   c              3  H   K   | ]  } |j                   fd i  yw)	fromhintsNr   )r   r  r  r   r}   s     r   r   z9MySQLCompiler.delete_extra_from_clause.<locals>.<genexpr>  s0      $
 !A  BBrB$
s   ")r   )r}   r  r  r  r  r   s   `   ``r   delete_extra_from_clausez&MySQLCompiler.delete_extra_from_clause  s:     8$)) $
 \K/$
 
 
 	
r   c                    ddj                  d t        |      D              dj                  d t        |      D              dz  S )NzASELECT %(outer)s FROM (SELECT %(inner)s) as _empty_set WHERE 1!=1r   c              3  ,   K   | ]  \  }}d |z    yw)z1 AS _in_%sNr   r   idxr   s      r   r   z5MySQLCompiler.visit_empty_set_expr.<locals>.<genexpr>  s!      #"U "C'#   c              3  ,   K   | ]  \  }}d |z    yw)z_in_%sNr   r  s      r   r   z5MySQLCompiler.visit_empty_set_expr.<locals>.<genexpr>  s      #'1sEHsN#r  )innerouter)r   	enumerate)r}   element_typesr   s      r   visit_empty_set_exprz"MySQLCompiler.visit_empty_set_expr  sV    '  #&/&>#   #5>}5M# 
	
r   c                x    d| j                  |j                        d| j                  |j                        dS )NzNOT ( <=> r   r  r   s       r   visit_is_distinct_from_binaryz+MySQLCompiler.visit_is_distinct_from_binary  s,    LL%LL&
 	
r   c                t    | j                  |j                        d| j                  |j                        S )Nr  r  r   s       r   !visit_is_not_distinct_from_binaryz/MySQLCompiler.visit_is_not_distinct_from_binary  s,    LL%LL&
 	
r   c                r    d| j                  |t        j                        d | j                  |fi |dS )NzCONCAT('(?', z, ')', r   )rD  r@   
STRINGTYPEr   )r}   r(  patternr   s       r   _mariadb_regexp_flagsz#MySQLCompiler._mariadb_regexp_flags  s5    %%eX-@-@ADLL'B'
 	
r   c           	        |j                   d   }| | j                  ||fi |S | j                  j                  r= | j                  |j
                  fi ||| j                  ||j                        S d | j                  |j
                  fi |d | j                  |j                  fi |d| j                  |t        j                        d}|dk(  rd|z  S |S )Nr(  zREGEXP_LIKE(r   r    NOT REGEXP zNOT %s)r  _generate_generic_binaryr   
is_mariadbr   r   r  r   rD  r@   r  )r}   	op_stringrM   r   r   r(  rf   s          r   _regexp_matchzMySQLCompiler._regexp_match  s      )=0400IbII\\$$V[[/B/**5&,,?  % V[[/B/V\\0R0))%1D1DED
 N*$&r   c                ,     | j                   d||fi |S )Nz REGEXP r  r   s       r   visit_regexp_match_op_binaryz*MySQLCompiler.visit_regexp_match_op_binary  s    !t!!*fhE"EEr   c                ,     | j                   d||fi |S )Nr  r  r   s       r    visit_not_regexp_match_op_binaryz.MySQLCompiler.visit_not_regexp_match_op_binary  s    !t!!.&(IbIIr   c           
     z   |j                   d   }|?d | j                  |j                  fi |d | j                  |j                  fi |dS | j                  j
                  rvd | j                  |j                  fi |d| j                  ||j                  j                  d         d | j                  |j                  j                  d   fi |dS d | j                  |j                  fi |d | j                  |j                  fi |d| j                  |t        j                        dS )Nr(  zREGEXP_REPLACE(r   r   r   r   )r  r   r   r   r   r  r  r   rD  r@   r  )r}   rM   r   r   r(  s        r   visit_regexp_replace_op_binaryz,MySQLCompiler.visit_regexp_replace_op_binary"  s     )=V[[/B/V\\0R0  \\$$V[[/B/**5&,,2F2Fq2IJV\\11!4;;  % V[[/B/V\\0R0))%1D1DE r   rs   )FN)3r   r   r   'render_table_with_column_in_update_fromr;   rC   extract_mapcopyr   r   r   r   r   r   r   r   r   r   r  r  r  	frozensetr  r"  r  r  r-  r2  r@  rD  rJ  rN  rU  ra  rp  ru  r|  r  r  r  r  r  r  r  r  r  r  r  r  r  __classcell__rG  s   @r   r   r     s#   .2+0&&22779K67
4'=BF@PMMYCv

 &/	
	&"K(JT)VK;(
20%HN







*FJr   r   c                  T     e Zd Zd Zd Zd Z fdZd Zd Zd Z	d Z
d	 Zd
 Z xZS )MySQLDDLCompilerc                   | j                   j                  du r/|j                  #|j                  t        j
                  u rd|_        | j                  j                  |      | j                   j                  j                  |j                  |      g}|j                  *|j                  | j                  |j                               t        |j                  j                  | j                         t        j                         }|j                  s|j                  d       n|j                  r|r|j                  d       |j"                  }|B| j$                  j'                  |t        j(                               }|j                  d|z          |j*                  ||j*                  j,                  u r|j.                  $t        |j.                  t0        j2                        rb| j                   j4                  r:t        |j6                  t0        j8                        r|j6                  j:                  r|j                  d       n| j=                  |      }|nt        |j.                  j>                  t@        jB                        r,| j                   jD                  r|j                  d| d       n|j                  d	|z          d
jG                  |      S )zBuilds column DDL.T)r   zNOT NULLNULLzCOMMENT AUTO_INCREMENTz	DEFAULT (r   zDEFAULT r   )$r   r  computed_user_defined_nullablerD   NULL_UNSPECIFIEDnullabler   format_columnr8  r   r   r  r   _unwrapped_dialect_implr@   r*   commentsql_compilerrD  r   r   _autoincrement_columnserver_default	sa_schemaIdentitysupports_sequencesr8   Sequenceoptionalget_column_default_stringargr=   FunctionElement_support_default_functionr   )r}   r   r   colspecis_timestampr  literalr8   s           r   get_column_specificationz)MySQLDDLCompiler.get_column_specification8  s0    LL##t++--1M1MM"FOMM''/LL//77V 8 
 ??&NN4<<89!KK//=

 NN:& __NN6"..''<<*G NN:/0 LL$&,,<<<%%-f33Y5G5GH //v~~y/A/AB// NN+,44V<G"--1193L3L >>NNYwiq#9:NN:#78xx  r   c                Z   g }|j                   j                         D ci c]a  \  }}|j                  d| j                  j                  z        r4|t        | j                  j                        dz   d j                         |c }}}|j                  |j                  |d<   g d}t        |      j                  |      }t        |      j                  |      }t        j                  g d|      D ]  }	||	   }
|	t        j                  v r.| j                  j!                  |
t#        j$                               }
|	dv r|	j'                  dd	      }	d
}|	dv rd	}|j)                  |j+                  |	|
f              t        j                  g d|      D ]}  }	||	   }
|	t        j                  v r.| j                  j!                  |
t#        j$                               }
|	j'                  dd	      }	d	}|j)                  |j+                  |	|
f              d	j+                  |      S c c}}w )z9Build table-level CREATE options like ENGINE and COLLATE.z%s_r   NCOMMENT)PARTITION_BY
PARTITIONSSUBPARTITIONSSUBPARTITION_BY))DEFAULT_CHARSETCOLLATE)DEFAULT_CHARACTER_SETr  )CHARSETr  )CHARACTER_SETr  )DATA_DIRECTORYINDEX_DIRECTORYr  r  r  DEFAULT_COLLATE_r   =)
TABLESPACEzDEFAULT CHARACTER SETzCHARACTER SETr  ))r  r  )r  r  )r  r  )r  r  )r  r  )r  r  )r_  items
startswithr   r   lenrT  r  rd   
differenceintersectionrK   sort_reflection_options_of_type_stringr  rD  r@   r   r   r  r   )r}   r   
table_optskvoptspartition_optionsnonpart_optionspart_optionsoptr  joiners               r   post_create_tablez"MySQLDDLCompiler.post_create_tabley  s+    
 **,
1||EDLL$5$556 c$,,##$q(*+113Q6
 
 ==$#mmDO
 d)../@A4y--.?@## 
 "	7C s)Ck999''<<*    kk#s+F   fkk3*56E"	7H ## 

 	7C s)Ck999''<<* ++c3'CFfkk3*56)	7, xx
##[
s   A&H'c           	        |j                   }| j                  |       | j                  }|j                  |j                        }|j
                  D cg c]  }| j                  j                  t        |t        j                        s`t        |t        j                        r,|j                  t        j                  t        j                  fvst        |t         j"                        rt        j$                  |      n|dd       }}| j'                  |      }d}	|j(                  r|	dz  }	|j*                  j-                  d| j.                  j0                  z  d       }
|
r|	|
dz   z  }	|	dz  }	|j2                  r|	d	z  }	|	|d
|dz  }	|j4                  | j.                  j0                     d   Zt        t6              r/dj9                  fdt;        |j
                  |      D              }n,dj9                  fd|D              }ndj9                  |      }|	d|z  z  }	|j4                  d   d   }||	d|z  }	|j4                  d   d   }||	d|j=                  |      z  z  }	|	S c c}w )NFT)include_tableliteral_bindszCREATE zUNIQUE 	%s_prefixr   INDEX zIF NOT EXISTS rY  lengthr   c              3     K   | ]<  \  }}|j                   v rd ||j                      fz  n|v r
d ||   fz  nd|z   > yw)%s(%d)z%sN)r   )r   r   r   r  s      r   r   z6MySQLDDLCompiler.visit_create_index.<locals>.<genexpr>  sh      $ "T 88v- !D&*:#;;  $v~ %fTl';;!%$s   AAc              3  ,   K   | ]  }d |fz    yw)r  Nr   )r   r   r  s     r   r   z6MySQLDDLCompiler.visit_create_index.<locals>.<genexpr>  s      $14HV},$s   z(%s)mysqlwith_parserz WITH PARSER using	 USING %s)r  _verify_index_tabler   format_tabler   expressionsr  r   r   r<   BinaryExpressionUnaryExpressionmodifierr>   desc_opasc_opr=   r  Grouping_prepared_index_nameuniquer_  r  r   r   if_not_existsdialect_optionsdictr   zipr   )r}   creater   indexr   r   r   columnsr   rf   index_prefixparserr  r  s                @r   visit_create_indexz#MySQLDDLCompiler.visit_create_index  sm     '==%%ekk2( ))%
$ # %% #4)B)BC&tX-E-EF $$-$5$5y7G7G#H!I &dI,E,EF %%d+ #" & 
 
* ((/<<ID||''dll6G6G(GNL3&&D$$DtU++&&t||'8'89(C&$' )) $ &)):):G%D$  )) $8?$  ii(G  &&w/>11D%%g.w7K8>>%#899DQ
s   B4I0c                    t         |   |      }|j                  d   d   }|r!|d| j                  j	                  |      z  z  }|S )Nr  r  r  )rC  visit_primary_key_constraintr  r   r   )r}   
constraintr   rf   r  rG  s        r   r  z-MySQLDDLCompiler.visit_primary_key_constraint  sM    w3J?**73G<K4==#6#6u#=>>Dr   c                    |j                   }d}|j                  r|dz  }|| j                  |d      d| j                  j	                  |j
                        z   S )Nz
DROP INDEX z
IF EXISTS F)include_schemarY  )r  	if_existsr  r   r  r   )r}   dropr   r  rf   s        r   visit_drop_indexz!MySQLDDLCompiler.visit_drop_index$  s\    >>L D%%eE%BMM&&u{{3
 
 	
r   c                n   |j                   }t        |t        j                        rd}| j                  j                  |      }nt        |t        j                        rd}d}nt        |t        j                        rd}| j                  j                  |      }nnt        |t        j                        r7| j                  j                  rd}nd}| j                  j                  |      }nd}| j                  j                  |      }d| j                  j                  |j                        d||S )	NzFOREIGN KEY zPRIMARY KEY r   r  zCONSTRAINT zCHECK ALTER TABLE z DROP )r  r   r  ForeignKeyConstraintr   format_constraintPrimaryKeyConstraintUniqueConstraintCheckConstraintr   r  r  r   )r}   r   r   r  qualconsts         r   visit_drop_constraintz&MySQLDDLCompiler.visit_drop_constraint/  s    \\
j)"@"@A!DMM33J?E
I$B$BC!DE
I$>$>?DMM33J?E
I$=$=>||&&$MM33J?EDMM33J?EMM&&z'7'78
 	
r   c                F    |j                   t        j                  d      y)NzjMySQL ignores the 'MATCH' keyword while at the same time causes ON UPDATE/ON DELETE clauses to be ignored.r   )matchr1   r   )r}   r  s     r   define_constraint_matchz(MySQLDDLCompiler.define_constraint_matchI  s,    '""D  r   c                    d| j                   j                  |j                        d| j                  j	                  |j                  j
                  t        j                               S )Nr#  z	 COMMENT )r   r  r  r  rD  r  r@   r   r}   r  r   s      r   visit_set_table_commentz(MySQLDDLCompiler.visit_set_table_commentQ  sL    MM&&v~~622&&(9
 	
r   c                R    d| j                   j                  |j                        z  S )NzALTER TABLE %s COMMENT '')r   r  r  r0  s      r   visit_drop_table_commentz)MySQLDDLCompiler.visit_drop_table_commentY  s%    *MM&&v~~6
 	
r   c                    d| j                   j                  |j                  j                        d| j                   j	                  |j                        d| j                  |j                        S )Nr#  z CHANGE r   )r   r  r  r   r  r  r0  s      r   visit_set_column_commentz)MySQLDDLCompiler.visit_set_column_comment^  sP    MM&&v~~';';<MM''7))&..9
 	
r   )r   r   r   r  r  r  r  r!  r+  r.  r1  r3  r5  r  r  s   @r   r  r  7  s:    ?!BR$hN`	

4



r   r  c                      e Zd Zd Zd Zd Zd Zd Zd Zd Z	d Z
d	 Zd
 Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Zd Z d Z! fd Z"d! Z#d" Z$d# Z%d$ Z&d% Z'd& Z(d' Z)d( Z* xZ+S ))MySQLTypeCompilerc                p    | j                  |      s|S |j                  r|dz  }|j                  r|dz  }|S )zAExtend a numeric-type declaration with MySQL specific extensions.z	 UNSIGNEDz	 ZEROFILL)_mysql_typer/  zerofill)r}   r   specs      r   _extend_numericz!MySQLTypeCompiler._extend_numericg  s>     &K>>KD>>KDr   c                l   fd} |d      rd |d      z  }n |d      rd}n |d      rd}nd} |d	      rd
j                   z  }n |d      rd}nd} |d      r%dj                  d||fD cg c]  }||	 c}      S dj                  |||fD cg c]  }||	 c}      S c c}w c c}w )zExtend a string-type declaration with standard SQL CHARACTER SET /
        COLLATE annotations and MySQL specific extensions.

        c                <    t        | j                  |             S rs   )r4  r  )r   defaultsr   s    r   attrz.MySQLTypeCompiler._extend_string.<locals>.attry  s    5$T(:;;r   charsetzCHARACTER SET %sasciiASCIIunicodeUNICODEN	collationz
COLLATE %srM   rE   nationalr   NATIONAL)rF  r   )r}   r   r?  r;  r@  rA  rF  r   s    ``     r   _extend_stringz MySQLTypeCompiler._extend_strings  s    	< 	?(4	?:G']G)_GG$u6I(^ II
88'y9KqQ]K  xxw	2D1amQD
 	
 L Es   4B,<B,B1!B1c                .    t        |t        t        f      S rs   )r   r   r   )r}   r   s     r   r9  zMySQLTypeCompiler._mysql_type  s    %+|!<==r   c                    |j                   | j                  |d      S |j                  !| j                  |dd|j                   iz        S | j                  |d|j                   |j                  dz        S )Nr$   zNUMERIC(%(precision)s)r   z!NUMERIC(%(precision)s, %(scale)s)r   r   r   r<  r   r}   r   r   s      r   visit_NUMERICzMySQLTypeCompiler.visit_NUMERIC      ??"''y99[[ ''(K+II 
 ''3 %%++FG r   c                    |j                   | j                  |d      S |j                  !| j                  |dd|j                   iz        S | j                  |d|j                   |j                  dz        S )Nr   zDECIMAL(%(precision)s)r   z!DECIMAL(%(precision)s, %(scale)s)rL  rM  rN  s      r   visit_DECIMALzMySQLTypeCompiler.visit_DECIMAL  rP  r   c                    |j                   8|j                  ,| j                  |d|j                   |j                  dz        S | j                  |d      S )Nz DOUBLE(%(precision)s, %(scale)s)rL  r   r   r   r<  rN  s      r   visit_DOUBLEzMySQLTypeCompiler.visit_DOUBLE  sY    ??&5;;+B''2 %%++FG  ''x88r   c                    |j                   8|j                  ,| j                  |d|j                   |j                  dz        S | j                  |d      S )NzREAL(%(precision)s, %(scale)s)rL  r&   rT  rN  s      r   
visit_REALzMySQLTypeCompiler.visit_REAL  sY    ??&5;;+B''0 %%++FG  ''v66r   c                *   | j                  |      rE|j                  9|j                  -| j                  |d|j                  d|j                  d      S |j                   | j                  |d|j                  d      S | j                  |d      S )NzFLOAT(r   r   r   )r9  r   r   r<  rN  s      r   visit_FLOATzMySQLTypeCompiler.visit_FLOAT  s    U#'+''%//5;;G  __(''eoo7  ''w77r   c                    | j                  |      r-|j                  !| j                  |dd|j                  iz        S | j                  |d      S )NzINTEGER(%(display_width)s)display_widthr   r9  r[  r<  rN  s      r   visit_INTEGERzMySQLTypeCompiler.visit_INTEGER  s\    E"u':':'F'',"E$7$789  ''y99r   c                    | j                  |      r-|j                  !| j                  |dd|j                  iz        S | j                  |d      S )NzBIGINT(%(display_width)s)r[  r   r\  rN  s      r   visit_BIGINTzMySQLTypeCompiler.visit_BIGINT  s\    E"u':':'F''+"E$7$789  ''x88r   c                    | j                  |      r-|j                  !| j                  |dd|j                  iz        S | j                  |d      S )NzMEDIUMINT(%(display_width)s)r[  r!   r\  rN  s      r   visit_MEDIUMINTz!MySQLTypeCompiler.visit_MEDIUMINT  s\    E"u':':'F''."E$7$789  ''{;;r   c                    | j                  |      r+|j                  | j                  |d|j                  z        S | j                  |d      S )NzTINYINT(%s)r,   r\  rN  s      r   visit_TINYINTzMySQLTypeCompiler.visit_TINYINT  sS    E"u':':'F''}u':'::  ''y99r   c                    | j                  |      r-|j                  !| j                  |dd|j                  iz        S | j                  |d      S )NzSMALLINT(%(display_width)s)r[  r'   r\  rN  s      r   visit_SMALLINTz MySQLTypeCompiler.visit_SMALLINT 	  s\    E"u':':'F''-"E$7$789  ''z::r   c                :    |j                   d|j                   z  S y)NzBIT(%s)r   r  rN  s      r   	visit_BITzMySQLTypeCompiler.visit_BIT
	  s    <<#u||++r   c                <    t        |dd       rd|j                  z  S y)NfspzDATETIME(%d)r   r4  rj  rN  s      r   visit_DATETIMEz MySQLTypeCompiler.visit_DATETIME	  s     5%&!EII--r   c                     y)NrH   r   rN  s      r   
visit_DATEzMySQLTypeCompiler.visit_DATE	  rK  r   c                <    t        |dd       rd|j                  z  S y)Nrj  zTIME(%d)r)   rk  rN  s      r   
visit_TIMEzMySQLTypeCompiler.visit_TIME	  s     5%&		))r   c                <    t        |dd       rd|j                  z  S y)Nrj  zTIMESTAMP(%d)r*   rk  rN  s      r   visit_TIMESTAMPz!MySQLTypeCompiler.visit_TIMESTAMP	  s     5%&"UYY..r   c                :    |j                   yd|j                   z  S )Nr/   zYEAR(%s))r[  rN  s      r   
visit_YEARzMySQLTypeCompiler.visit_YEAR%	  s"    & 3 333r   c                    |j                    | j                  |i d|j                   z        S | j                  |i d      S )NzTEXT(%d)r(   r  rI  rN  s      r   
visit_TEXTzMySQLTypeCompiler.visit_TEXT+	  s?    <<#&&ub*u||2KLL&&ub&99r   c                (    | j                  |i d      S )Nr-   rI  rN  s      r   visit_TINYTEXTz MySQLTypeCompiler.visit_TINYTEXT1	      ""5"j99r   c                (    | j                  |i d      S )Nr"   ry  rN  s      r   visit_MEDIUMTEXTz"MySQLTypeCompiler.visit_MEDIUMTEXT4	  s    ""5"l;;r   c                (    | j                  |i d      S )Nr   ry  rN  s      r   visit_LONGTEXTz MySQLTypeCompiler.visit_LONGTEXT7	  r{  r   c                    |j                    | j                  |i d|j                   z        S t        j                  d| j                  j
                  z        )NzVARCHAR(%d)z'VARCHAR requires a length on dialect %sr  rI  r1   r   r   r   rN  s      r   visit_VARCHARzMySQLTypeCompiler.visit_VARCHAR:	  sO    <<#&&ub-%,,2NOO""9DLL<M<MM r   c                    |j                   "| j                  |i dd|j                   iz        S | j                  |i d      S )NCHAR(%(length)s)r  r   rv  rN  s      r   
visit_CHARzMySQLTypeCompiler.visit_CHARB	  sL    <<#&&r-5<<0HH  &&ub&99r   c                    |j                   $| j                  |ddidd|j                   iz        S t        j                  d| j                  j
                  z        )NrG  TzVARCHAR(%(length)s)r  z(NVARCHAR requires a length on dialect %sr  rN  s      r   visit_NVARCHARz MySQLTypeCompiler.visit_NVARCHARJ	  sd     <<#&&T"%5<<(@@  "":T\\=N=NN r   c                    |j                   $| j                  |ddidd|j                   iz        S | j                  |ddid      S )NrG  Tr  r  r   rv  rN  s      r   visit_NCHARzMySQLTypeCompiler.visit_NCHARX	  sY     <<#&&T""h%==  &&uz4.@&IIr   c                     y)NrI   r   rN  s      r   
visit_UUIDzMySQLTypeCompiler.visit_UUIDd	  rK  r   c                     d|j                   z  S )NzVARBINARY(%d)rg  rN  s      r   visit_VARBINARYz!MySQLTypeCompiler.visit_VARBINARYg	  s    --r   c                     y)Nr   r   rN  s      r   
visit_JSONzMySQLTypeCompiler.visit_JSONj	  rK  r   c                $    | j                  |      S rs   )
visit_BLOBrN  s      r   visit_large_binaryz$MySQLTypeCompiler.visit_large_binarym	  s    u%%r   c                t    |j                   st        | 	  |      S | j                  d||j                        S Nr
   )native_enumrC  
visit_enum_visit_enumerated_valuesenums)r}   r   r   rG  s      r   r  zMySQLTypeCompiler.visit_enump	  s5      7%e,,00LLr   c                :    |j                   d|j                   z  S y)NzBLOB(%d)rF   rg  rN  s      r   r  zMySQLTypeCompiler.visit_BLOBv	  s    <<#,,r   c                     y)Nr+   r   rN  s      r   visit_TINYBLOBz MySQLTypeCompiler.visit_TINYBLOB|	      r   c                     y)Nr    r   rN  s      r   visit_MEDIUMBLOBz"MySQLTypeCompiler.visit_MEDIUMBLOB	  s    r   c                     y)Nr   r   rN  s      r   visit_LONGBLOBz MySQLTypeCompiler.visit_LONGBLOB	  r  r   c           	        g }|D ]X  }| j                   j                  j                  r|j                  dd      }|j	                  d|j                  dd      z         Z | j                  |i |ddj                  |      d      S )	N%z%%r   'z''(,r   )r   r   _double_percentsr   r  rI  r   )r}   r   r   enumerated_valuesquoted_enumses         r   r  z*MySQLTypeCompiler._visit_enumerated_values	  s    " 	?A||//@@IIc4(3)= =>	? ""24,)?@
 	
r   c                <    | j                  d||j                        S r  )r  r  rN  s      r   
visit_ENUMzMySQLTypeCompiler.visit_ENUM	  s    ,,VUEKKHHr   c                <    | j                  d||j                        S )Nr   )r  valuesrN  s      r   	visit_SETzMySQLTypeCompiler.visit_SET	  s    ,,UE5<<HHr   c                     y)NBOOLr   rN  s      r   visit_BOOLEANzMySQLTypeCompiler.visit_BOOLEAN	  rK  r   ),r   r   r   r<  rI  r9  rO  rR  rU  rW  rY  r]  r_  ra  rc  re  rh  rl  rn  rp  rr  rt  rw  rz  r}  r  r  r  r  r  r  r  r  r  r  r  r  r  r  r  r  r  r  r  r  s   @r   r7  r7  f  s    
 
D>978 :9<:;4::<::
J.&M
IIr   r7  c                  *     e Zd ZeZd fd	Zd Z xZS )MySQLIdentifierPreparerc                8    |sd}nd}t         |   |||       y )N`")initial_quoteescape_quote)rC  __init__)r}   r   server_ansiquotesr   r   rG  s        r   r  z MySQLIdentifierPreparer.__init__	  s$     EEEJr   c                b    t        |D cg c]  }|| j                  |       c}      S c c}w )z4Unilaterally identifier-quote any number of strings.)tuplequote_identifier)r}   idsis      r   _quote_free_identifiersz/MySQLIdentifierPreparer._quote_free_identifiers	  s,     M1q}d++A.MNNMs   ,,)F)r   r   r   r   reserved_wordsr  r  r  r  s   @r   r  r  	  s    )NKOr   r  c                      e Zd ZeZy)MariaDBIdentifierPreparerN)r   r   r   r   r  r   r   r   r  r  	  s    +Nr   r  c            
         e Zd ZU dZdZdZdZdZdZdZ	dZ
dZdZdZdZdZdZdZdZdZdZded<   ej.                  ZdZdZdZdZdZdZd	Ze Z dZ!e"Z#e$Z%e&Z'e(Z(e)Z*dZ+d
Z,dZ-dZ.e/j`                  dd
ife1jd                  dd
ife1jf                  dd
ife/jh                  dd
ife/jj                  d
d
d
d
dfgZ6	 	 	 dEdZ7d Z8d Z9d Z:e;d        Z<d Z=d Z>d Z?d Z@d ZA	 dFdZB	 dFdZCd ZDd ZEdGdZFdGdZGdGdZHd  ZId! ZJeKj                  dGd"       ZMeKj                  dGd#       ZNd$ ZOeKj                  dGd%       ZPd& ZQd' ZReSd(        ZTeSd)        ZUeSd*        ZVeSd+        ZWeSd,        ZXeKj                  d-        ZYeKj                  dGd.       ZZeKj                  dGd/       Z[eKj                  dGd0       Z\eKj                  dGd1       Z]eKj                  dGd2       Z^eKj                  dGd3       Z_d4 Z`eKj                  dGd5       ZaeKj                  dGd6       ZbeKj                  dGd7       ZceKj                  	 dGd8       ZdeKj                  dGd9       Ze	 dGd:Zfegj                  d;        ZieKj                  dGd<       Zjd= Zkd> Zld? Zmd@ ZndA ZodB Zp	 dHdCZqdHdDZry
)IMySQLDialectzMDetails of the MySQL dialect.
    Not used directly in application code.
    r  TF   @   booluse_insertmanyvaluesformatN*r{  r  )r  r  prefixr  c                    |j                  dd        t        j                  j                  | fi | || _        || _        | j                  |d        y )Nuse_ansiquotes)popr8   DefaultDialectr  _json_serializer_json_deserializer_set_mariadb)r}   json_serializerjson_deserializerr  r_  s        r   r  zMySQLDialect.__init__
  sL     	

#T*''77 /"3*d+r   c                     y)N)SERIALIZABLEzREAD UNCOMMITTEDzREAD COMMITTEDzREPEATABLE READr   )r}   
dbapi_conns     r   get_isolation_level_valuesz'MySQLDialect.get_isolation_level_values
  s    
r   c                    |j                         }|j                  d|        |j                  d       |j                          y )Nz(SET SESSION TRANSACTION ISOLATION LEVEL COMMIT)r7   executeclose)r}   dbapi_connectionlevelr7   s       r   set_isolation_levelz MySQLDialect.set_isolation_level
  s9    !((*A%IJx r   c                   |j                         }| j                  r!| j                  dk\  r|j                  d       n|j                  d       |j	                         }|t        j                  d       t               |d   }|j                          t        |t              r|j                         }|j                         j                  dd      S )N)         zSELECT @@transaction_isolationzSELECT @@tx_isolationzDCould not retrieve transaction isolation level for MySQL connection.r   -r   )r7   	_is_mysqlserver_version_infor  fetchoner6   r  r   r  r   bytesdecoderT  r   )r}   r  r7   rowr  s        r   get_isolation_levelz MySQLDialect.get_isolation_level#
  s    !((*>>d66*DNN;<NN23oo;II &''!fc5!**,Cyy{""3,,r   c                V   | j                         } | |      }|j                  |      \  }} |j                  |i |}	 |j                         }|j	                  d       |j                         d   }t        |      |j                          S #   xY w# |j                          w xY w)N)dbapiz!SELECT VERSION() LIKE '%MariaDB%'r   )import_dbapicreate_connect_argsconnectr7   r  r  r  r  )	clsurlr  r   cargscparamsconnr7   r  s	            r   _is_mariadb_from_urlz!MySQLDialect._is_mariadb_from_url6
  s      "E" 44S9ww11		[[]FNN>?//#A&C 9JJL	 JJLs   4B 5
B BB B(c                   |j                   }|j                         }|j                  d       |j                         d   }|j	                          t        |t              r|j                         }| j                  |      S )NzSELECT VERSION()r   )	
connectionr7   r  r  r  r   r  r  _parse_server_version)r}   r  	dbapi_conr7   r  s        r   _get_server_version_infoz%MySQLDialect._get_server_version_infoH
  sj     ))	!!#)*oo"c5!**,C))#..r   c                   g }d}t        j                  d      }|j                  |      }|D ]m  }t        j                  d|      }|s|j	                  d      rt        |dd        | _        d}Ct        |j	                  d            }|j                  |       o t        |      }	| j                  |	xr ||	       |s|	| _        |	dk  rt        d	      |	| _        |	S )
NFz[.\-+]z"^(?:(\d+)(?:a|b|c)?|(MariaDB\w*))$   Tr   )r  r   r  zGthe MySQL/MariaDB dialect supports server version info 5.0.2 and above.)recompilesplitr-  groupr   _mariadb_normalized_version_inforY   r  r  r   r  )
r}   r  rP  r  rtokenstokenparsed_tokendigitr  s
             r   r  z"MySQLDialect._parse_server_versionV
  s    
JJy! 	&E885uL  ##A&8=gbcl8K5!
L..q12u%	& $Gn.J0C	
 4GD1*%0  $7 ""r   c           	        |y |sB| j                   r6t        j                  ddj                  t	        t
        |            d      |r/t        | _        | j                  |       | _        d| _	        d| _
        || _         y )NzMySQL version r   z is not a MariaDB variant.T)r  r1   InvalidRequestErrorr   maprR  r  r   r   delete_returninginsert_returning)r}   r  r  s      r   r  zMySQLDialect._set_mariadb|
  sx    doo))88C%89:=  5DM (,}}T':D$ %)D!$(D!$r   c                b    |j                  t        j                  d      t        |             y )NzXA BEGIN :xidxidr  r5   rf   r  r}   r  r  s      r   do_begin_twophasezMySQLDialect.do_begin_twophase
  s    388O4dsmDr   c                    |j                  t        j                  d      t        |             |j                  t        j                  d      t        |             y )NXA END :xidr  zXA PREPARE :xidr  r  s      r   do_prepare_twophasez MySQLDialect.do_prepare_twophase
  s=    388M2DSMB388$56Fr   c                    |s/|j                  t        j                  d      t        |             |j                  t        j                  d      t        |             y )Nr  r  zXA ROLLBACK :xidr  r}   r  r  is_preparedrecovers        r   do_rollback_twophasez!MySQLDialect.do_rollback_twophase
  sB     sxx6F388$67#Gr   c                    |s| j                  ||       |j                  t        j                  d      t	        |             y )NzXA COMMIT :xidr  )r  r  r5   rf   r  r  s        r   do_commit_twophasezMySQLDialect.do_commit_twophase
  s5     $$Z5388$45t}Er   c                `    |j                  d      }|D cg c]  }|d   d|d     c}S c c}w )Nz
XA RECOVERdatar   gtrid_lengthexec_driver_sql)r}   r  	resultsetr  s       r   do_recover_twophasez MySQLDialect.do_recover_twophase
  s6    ..|<	@IJFAN 34JJJs   +c                H   t        || j                  j                  | j                  j                  | j                  j                  f      r| j                  |      dv ryt        || j                  j                  | j                  j                  f      rdt        |      v S y)N)i  i  i  i  i  i  i  Tz(0, '')F)r   r  OperationalErrorProgrammingErrorInterfaceError_extract_error_codeInternalErrorrR  )r}   r  r  r7   s       r   is_disconnectzMySQLDialect.is_disconnect
  s    

++

++

))
 &&q) .
 
 

))4::+C+CD

 A&&r   c                \    |j                         D cg c]  }t        ||       c}S c c}w )zMProxy result rows to smooth over MySQL-Python driver
        inconsistencies.)fetchall_DecodingRowr}   rprA  r  s       r   _compat_fetchallzMySQLDialect._compat_fetchall
  s%     79kkmDsS'*DDDs   )c                @    |j                         }|rt        ||      S yzNProxy a result row to smooth over MySQL-Python driver
        inconsistencies.N)r  r/  r0  s       r   _compat_fetchonezMySQLDialect._compat_fetchone
  s"     kkmW--r   c                @    |j                         }|rt        ||      S yr4  )firstr/  r0  s       r   _compat_firstzMySQLDialect._compat_first
  s"     hhjW--r   c                    t               rs   r   )r}   	exceptions     r   r*  z MySQLDialect._extract_error_code
      !##r   c                @    |j                  d      j                         S )NzSELECT DATABASE())r#  scalarr}   r  s     r   _get_default_schema_namez%MySQLDialect._get_default_schema_name
  s    ))*=>EEGGr   c                   | j                  |       || j                  }|J dj                  | j                  j	                  ||            }	 |j                  d| ddi      5 }|j                         d ucd d d        S # 1 sw Y   y xY w# t        j                  $ r(}| j                  |j                        dv rY d }~y d }~ww xY w)Nr   z	DESCRIBE skip_user_error_eventsT)execution_options)z  i  i  F)_ensure_has_table_connectiondefault_schema_namer   r   r  r#  r  r1   
DBAPIErrorr*  orig)r}   r  
table_namer4   r   	full_namersr  s           r   	has_tablezMySQLDialect.has_table
  s    ))*5>--F!!!HH$$<<

		++I;'#;T"B ,  1 {{}D0	1 1 1
 ~~ 	 ''/3EE#	s<   B (B:	B B	B B C#CCCc           	         | j                   s| j                          |s| j                  }|j                  t	        j
                  d      t        t        |      t        |                  }|j                         d uS )NzSELECT TABLE_NAME FROM INFORMATION_SCHEMA.TABLES WHERE TABLE_TYPE='SEQUENCE' and TABLE_NAME=:name AND TABLE_SCHEMA=:schema_name)r   schema_name)	r  _sequences_not_supportedrF  r  r5   rf   r  rR  r7  )r}   r  sequence_namer4   r   r7   s         r   has_sequencezMySQLDialect.has_sequence  st    &&))+--F ##HH,
 'K

 ||~T))r   c                    t        d      )NzBSequences are supported only by the MariaDB series 10.3 or greaterr:  r   s    r   rO  z%MySQLDialect._sequences_not_supported)  s    !-
 	
r   c                   | j                   s| j                          |s| j                  }|j                  t	        j
                  d      t        |            }| j                  || j                        D cg c]  }|d   	 c}S c c}w )NzjSELECT TABLE_NAME FROM INFORMATION_SCHEMA.TABLES WHERE TABLE_TYPE='SEQUENCE' and TABLE_SCHEMA=:schema_name)rN  rA  r   )	r  rO  rF  r  r5   rf   r  r2  _connection_charset)r}   r  r4   r   r7   r  s         r   get_sequence_nameszMySQLDialect.get_sequence_names/  s    &&))+--F##HHL V$
 ,, 8 8 - 
 F
 	
 
s   9Bc                   | j                  |      | _        t        j                  j	                  | |       | j                  |       | j                  |       | j                  |       | j                  r"| j                  | | j                        | _
        | j                  xr | j                  dk\  | _        | j                  xr | j                  dk\  | _        | j                   xr | j                  dk\  | _        | j                  xr | j                  dk\  | _        | j                  xr | j                  dk\  | _        | j                  xr | j                  dk\  | _        | j)                          y )N)r  )
   r0   )   )rX  r   r  )rX  r  )rY  r   r  )_detect_charsetrU  r8   r  
initialize_detect_sql_mode_detect_ansiquotes_detect_casing_server_ansiquotesr   r   r  r  r  r  rh  _needs_correct_for_88718_96365r  r  r   _warn_for_known_db_issuesr?  s     r   r[  zMySQLDialect.initializeD  s\    $(#7#7
#C  	))$
;j)
+J'"" (,}}(?(? (5 (D$
 OOC 8 8G C 	
 NN?t774? 	#
 DD$<$<$D 	+
 OOF 8 8J F 	
 OOC 8 8G C 	
 NNEt77:E 	1 	&&(r   c                    | j                   r2| j                  }|dkD  r |dk  rt        j                  d|d       y y y y )NrX  r  )rX  r  	   zMariaDB aV   before 10.2.9 has known issues regarding CHECK constraints, which impact handling of NULL values with SQLAlchemy's boolean datatype (MDEV-13596). An additional issue prevents proper migrations of columns with CHECK constraints (MDEV-11114).  Please upgrade to MariaDB 10.2.9 or greater, or use the MariaDB 10.1 series, to avoid these issues.)r  r  r6   r  )r}   mdb_versions     r   ra  z&MySQLDialect._warn_for_known_db_issuess  sI    ????KW$z)A		 9DF *B$ r   c                p    | j                   sy| j                  r| j                   dk\  S | j                   dk\  S )NF)rX     r  )rY  r      r  r  r   s    r   r<  z MySQLDialect._support_float_cast  9    ''__++z99 ++z99r   c                p    | j                   sy| j                  r| j                   dk\  S | j                   dk\  S )NF)rX  r  r   )rY  r      ri  r   s    r   r  z&MySQLDialect._support_default_function  rj  r   c                    | j                   S rs   r  r   s    r   _is_mariadbzMySQLDialect._is_mariadb  s    r   c                    | j                    S rs   rn  r   s    r   r  zMySQLDialect._is_mysql  s    ??""r   c                <    | j                   xr | j                  dkD  S )Nrc  )r  r  r   s    r   _is_mariadb_102zMySQLDialect._is_mariadb_102  s&     
4#H#H L
 $
 	
r   c                T    |j                  d      }|D cg c]  }|d   	 c}S c c}w )NzSHOW schemasr   r"  )r}   r  r   r1  r  s        r   get_schema_nameszMySQLDialect.get_schema_names  s*    ''7 !!!!!s   %c                    ||}n| j                   }| j                  }|j                  d| j                  j	                  |      z        }| j                  ||      D cg c]  }|d   dk(  r|d    c}S c c}w )z1Return a Unicode SHOW TABLES from a given schema.SHOW FULL TABLES FROM %srT  r   z
BASE TABLEr   rF  rU  r#  r   r  r2  )r}   r  r4   r   current_schemarA  r1  r  s           r   get_table_nameszMySQLDialect.get_table_names  s     #N!55N**''&&&77GH
 ,,R,A
1v% F
 	
 
s    A7c                    || j                   }| j                  }|j                  d| j                  j	                  |      z        }| j                  ||      D cg c]  }|d   dv r|d    c}S c c}w )Nrv  rT  r   )VIEWzSYSTEM VIEWr   rw  )r}   r  r4   r   rA  r1  r  s          r   get_view_nameszMySQLDialect.get_view_names  s    >--F**''&&&77?@
 ,,R,A
1v00 F
 	
 
s   A3c                     | j                   |||fi |}|j                  r|j                  S t        j                         S rs   )_parsed_state_or_createtable_optionsr9   r}   r  rI  r4   r   parsed_states         r   get_table_optionszMySQLDialect.get_table_options  sI    3t33
F
.0
 %%---%3355r   c                     | j                   |||fi |}|j                  r|j                  S t        j                         S rs   )r~  r  r9   r  s         r   get_columnszMySQLDialect.get_columns  sI    3t33
F
.0
 '''%--//r   c                     | j                   |||fi |}|j                  D ]&  }|d   dk(  s|d   D cg c]  }|d   	 }}|d dc S  t        j                         S c c}w )Nr   PRIMARYr  r   )constrained_columnsr   )r~  keysr9   pk_constraint)	r}   r  rI  r4   r   r  r   sr  s	            r   get_pk_constraintzMySQLDialect.get_pk_constraint  s    3t33
F
.0
  $$ 	CC6{i'&))n5!55/3TBB		C
 "//11 6s   Ac                    | j                   |||fi |}d }g }|j                  D ]  }|d   d   }	t        |d         dkD  xr |d   d   xs |}
|
s||j                  j                  }||k(  r|}
|d   }|d   }i }dD ]  }|j                  |d      d	vs||   ||<   ! |d
   ||
|	||d}|j                  |        | j                  r| j                  ||       |r|S t        j                         S )Nr   r   r   localforeign)onupdateondeleteF)z	NO ACTIONNr   )r   r  referred_schemareferred_tablereferred_columnsoptions)r~  fk_constraintsr  r   rF  r  r  r`  #_correct_for_mysql_bugs_88718_96365r9   foreign_keys)r}   r  rI  r4   r   r  default_schemafkeysr;  ref_name
ref_schema	loc_names	ref_namescon_kwr  fkey_ds                   r   get_foreign_keyszMySQLDialect.get_foreign_keys  sE   3t33
F
.0
  // 	!DG}R(HT']+a/EDM"4EOJ!)%/%7%7%K%KN^+!'JWIYIF/ ,88C'/BB"&s)F3K,
 V'0#-"*$-!F LL 5	!8 ..44UJGuD#5#B#B#DDr   c                   | j                   dv rd }nd }|j                  j                  }t        d       }|D ]=  } ||d   xs |      } ||d         }|d   D ]  }	||   |   j	                  |	        ? |rqt        j                  d |j                         D         }
t        j                  t        j                  j                  t        j                  j                  t        j                  j                        j                  |
      }|j                  |      }t        t               }|D ]V  \  }}}|| ||       ||      f   d	<   || ||       ||      f   d
<   || ||       ||      f   |j#                         <   X |D ][  }| ||d   xs |       ||d         f   }|d
   |d<   |d   |d	   |d<   |d   D cg c]  }||j#                             c}|d<   ] y y c c}w )N)r   r  c                "    | j                         S rs   )r   r  s    r   r   z?MySQLDialect._correct_for_mysql_bugs_88718_96365.<locals>.lower)  s    wwy r   c                    | S rs   r   r  s    r   r   z?MySQLDialect._correct_for_mysql_bugs_88718_96365.<locals>.lower0  s    r   c                      t        t              S rs   )r   r  r   r   r   <lambda>zBMySQLDialect._correct_for_mysql_bugs_88718_96365.<locals>.<lambda>8  s    D8I r   r  r  r  c           	   3     K   | ]]  \  }}t        j                  t        j                  j                  |k(  t        j
                  d  |j                         D                _ yw)c              3    K   | ]|  \  }}t        j                  t        j                  j                  |k(  t         j
                  j                  t        j                  j                        j                  |             ~ y wrs   )	r5   and__info_columnsr   rI  funcr   column_namein_)r   r   r  s      r   r   zMMySQLDialect._correct_for_mysql_bugs_88718_96365.<locals>.<genexpr>.<genexpr>F  s_       %3E7 !$$1OO$>$>%$G$'HHNN(5(C(C%&&)c'l	!"s   BBN)r5   r  r  r   table_schemaor_r  )r   r4   ro  s      r   r   zCMySQLDialect._correct_for_mysql_bugs_88718_96365.<locals>.<genexpr>B  sZ       ' HH%44> 7=lln
s   A#A%
SCHEMANAME	TABLENAME)_casingr   rF  r   r  r5   r  r  r   r  r   r  rI  r  wherer  r  r   )r}   r  r  r   rF  schema_by_table_by_columnrecschtblcol_name	conditionr   correct_for_wrong_fk_casedr4   tnamecnamefkeyr   s                      r   r  z0MySQLDialect._correct_for_mysql_bugs_88718_96365  sO    <<6!! )00DD
 %00I$J! 	EC-.E2EFC,-.C 23 E)#.s3::8DE	E % +D*I*I*KI( ZZ,,**++ eI	  )3(:(:6(B% D!A(A H$uAG5=%,/0>@E5=%,/0=BG5=%,/0?H
  d#45L9LMd#345 *-[)9%&)*6.1,.?D*+ 155G0H,),C		$,'(] %t,s   G/c                     | j                   |||fi |}|j                  D cg c]  }|d   |d   d }}|j                  d        |r|S t        j                         S c c}w )Nr   sqltext)r   r  c                    | d   xs dS Nr   ~r   r  s    r   r  z4MySQLDialect.get_check_constraints.<locals>.<lambda>      qy/C r   r   )r~  ck_constraintsr  r9   check_constraints)r}   r  rI  r4   r   r  r;  ckss           r   get_check_constraintsz"MySQLDialect.get_check_constraints}  s    3t33
F
.0
 %33
 &\d9o>
 
 	/0sE1CCEE
s   A#c                     | j                   |||fi |}|j                  j                  | j                   dd       }|d|iS t	        j
                         S )N_commentrf   )r~  r  r  r   r9   table_comment)r}   r  rI  r4   r   r  r  s          r   get_table_commentzMySQLDialect.get_table_comment  sh    3t33
F
.0
 ,,00DII;h1GNG$$%3355r   c                    | j                   |||fi |}g }|j                  D ]  }i }d}	|d   }
|
dk(  r|
dk(  rd}	n7|
dv r|
|d| j                  z  <   n |
n| j                  j	                  d|
       	 |d	   r|d	   |d
| j                  z  <   i }|d   |d<   |d   D cg c]  }|d   	 c}|d<   |d   D ci c]  }|d   	|d   |d    }}|r||d| j                  z  <   |	|d<   |
r|
|d<   |r||d<   |j                  |        |j                  d        |r|S t        j                         S c c}w c c}w )NFr   r  UNIQUET)FULLTEXTSPATIALr  z-Converting unknown KEY type %s to a plain KEYr  z%s_with_parserr   r  r   column_namesr   z	%s_lengthr  r  c                    | d   xs dS r  r   r  s    r   r  z*MySQLDialect.get_indexes.<locals>.<lambda>  s    1V9#3 r   r  )	r~  r  r   loggerinfor  r  r9   indexes)r}   r  rI  r4   r   r  r  r;  r  r  flavorindex_dr  mysql_lengths                 r   get_indexeszMySQLDialect.get_indexes  s   3t33
F
.0
  %% (	$D OF&\F"!22;Adii 78  CV H~BFC 0DII >? G"6lGFO59)_&Eqt&EGN#$(O qt7G!ad
L  ;Gdii 78 &GH"(-<)*NN7#Q(	$R 	34!wC'9'A'A'CC! 'Fs    D69
D;D;c           
         | j                   |||fi |}|j                  D cg c]*  }|d   dk(  r |d   |d   D cg c]  }|d   	 c}|d   d, }}}|j                  d        |r|S t        j                         S c c}w c c}}w )	Nr   r  r   r  r   )r   r  duplicates_indexc                    | d   xs dS r  r   r  s    r   r  z5MySQLDialect.get_unique_constraints.<locals>.<lambda>  r  r   r  )r~  r  r  r9   unique_constraints)	r}   r  rI  r4   r   r  r   r   ucss	            r   get_unique_constraintsz#MySQLDialect.get_unique_constraints  s     4t33
F
.0
 $((
 6{h& F36y> BCQ B$'K
 
 	/0J%88:: !C
s   BB	BBc                   | j                   }dj                  | j                  j                  ||            }| j	                  |d ||      } |j
                         j                  d      rt        j                  |      |S )Nr   rJ  zCREATE TABLE)	rU  r   r   r  _show_create_tablerT  r  r1   NoSuchTableError)r}   r  	view_namer4   r   rA  rJ  r5   s           r   get_view_definitionz MySQLDialect.get_view_definition  s    **HH$$<<VYO
	 %%g & 
 399;!!.1&&y11
r   c           	     L    | j                  ||||j                  dd             S )N
info_cache)r  )_setup_parserr  )r}   r  rI  r4   r   s        r   r~  z$MySQLDialect._parsed_state_or_create  s3     !!vvlD1	 " 
 	
r   c                F    | j                   }t        j                  | |      S )zreturn the MySQLTableDefinitionParser, generate if needed.

        The deferred creation ensures that the dialect has
        retrieved server version information first.

        )r   r  MySQLTableDefinitionParser)r}   r   s     r   _tabledef_parserzMySQLDialect._tabledef_parser  s"     ++55dHEEr   c                F   | j                   }| j                  }dj                  | j                  j	                  ||            }| j                  |d ||      }|j                  |      r'| j                  |d ||      }	|j                  ||	      }|j                  ||      S )Nr   r  )
rU  r  r   r   r  r  _check_view_describe_table_describe_to_createparse)
r}   r  rI  r4   r   rA  r  rJ  r5   r  s
             r   r  zMySQLDialect._setup_parser  s    **&&HH$$<<

	
 %%g & 
 c"**D'Y + G ,,ZAC||C))r   c                    | j                   }| j                  r| j                  dk  rd|z  }d}nd|z  }d}|j                  |      }| j                  ||      }|sy ||   S )N)r     zSHOW VARIABLES LIKE '%s'r   zSELECT @@%sr   rT  )rU  r  r#  r8  )r}   r  setting_namerA  r5   	fetch_colshow_varr  s           r   _fetch_settingzMySQLDialect._fetch_setting  sv    **##(@(@6(I,|;CI,.CI--c2  7 ;y>!r   c                    t               rs   r:  r?  s     r   rZ  zMySQLDialect._detect_charset(  r<  r   c                x    | j                  |d      }|d}n|dk(  rd}n|dk(  rd}nt        |      }|| _        |S )zSniff out identifier case sensitivity.

        Cached per-connection. This value can not change without a server
        restart.

        lower_case_table_namesr   OFFONr   )r  rY   r  )r}   r  settingcss       r   r^  zMySQLDialect._detect_casing+  sQ     %%j2JK?B %D\	r   c                    i }| j                   }|j                  d      }| j                  ||      D ]  }|d   ||d   <    |S )zYPull the active COLLATIONS list from the server.

        Cached per-connection.
        zSHOW COLLATIONr   r   )rU  r#  r2  )r}   r  
collationsrA  rK  r  s         r   _detect_collationszMySQLDialect._detect_collationsC  sY     
**''(89((W5 	(C!$QJs1v	(r   c                |    | j                  |d      }|t        j                  d       d| _        y |xs d| _        y )Nsql_modez[Could not retrieve SQL_MODE; please ensure the MySQL user has permissions to SHOW VARIABLESr   )r  r6   r  	_sql_mode)r}   r  r  s      r   r\  zMySQLDialect._detect_sql_modeP  s>    %%j*=?II?  DN$]DNr   c                    | j                   }|sd}n+|j                         rt        |      }|dz  |k(  xr dxs d}d|v | _        d|v| _        y)z/Detect and adjust for the ANSI_QUOTES sql mode.r   rg  ANSI_QUOTESNO_BACKSLASH_ESCAPESN)r  isdigitrY   r_  rE  )r}   r  modemode_nos       r   r]  zMySQLDialect._detect_ansiquotes\  s[     ~~D\\^$iGaK7*=CD"/4"7 #9"Dr   c                   || j                   j                  |      }d|z  }d}	 |j                  d      j                  |      }| j                  ||      }|st	        j                  |      |d   j                         S # t        j
                  $ r:}| j                  |j                        dk(  rt	        j                  |      | d}~ww xY w)z&Run SHOW CREATE TABLE for a ``Table``.NzSHOW CREATE TABLE %sTrB  rD  rT  r   )r   r  rC  r#  r1   rG  r*  rH  r  r8  strip)	r}   r  r   rA  rJ  str1  r  r  s	            r   r  zMySQLDialect._show_create_tablek  s    
 00==eDI#i/	--'+ . ob!    W 5&&y111v||~ ~~ 	''/47**951<		s   !B C5CCc                   || j                   j                  |      }d|z  }d\  }}	 	 |j                  d      j                  |      }| j                  ||
      }|r|j                          |S # t        j
                  $ r]}| j                  |j                        }	|	dk(  rt	        j                  |      ||	dk(  rt	        j                  d|d	|      | d}~ww xY w# |r|j                          w w xY w)z7Run DESCRIBE for a ``Table`` and return processed rows.NzDESCRIBE %sNNTr  rD  iL  zTable or view named z could not be reflected: rT  )r   r  rC  r#  r1   rG  r*  rH  r  UnreflectableTableErrorr2  r  )
r}   r  r   rA  rJ  r  r1  rowsr  codes
             r   r  zMySQLDialect._describe_table  s    00==eDIY&D	11+/ 2 !/"%   ((W(=D
# >> //74<..y9q@T\55+4a9   
 s*   !A2 C% 2C"ACC""C% %C:)NNN)TFrs   r  )sr   r   r   __doc__r   supports_statement_cachesupports_altersupports_native_booleanmax_identifier_lengthmax_index_name_lengthmax_constraint_name_lengthdiv_is_floordivsupports_native_enumreturns_native_bytesr  sequences_optionalrh  r   supports_default_valuessupports_default_metavaluer  __annotations__rB   ANY_AUTOINCREMENT"insertmanyvalues_implicit_sentinelsupports_sane_rowcountsupports_sane_multi_rowcountsupports_multivalues_insert#insert_null_pk_still_autoincrementssupports_commentsinline_commentsdefault_paramstylecolspecscte_follows_insertr   statement_compilerr  ddl_compilerr7  type_compiler_clsischema_namesr  r   r  r  rE  r_  r  Tabler5   UpdateDeleter&  Indexconstruct_argumentsr  r  r  r  classmethodr  r  r  r  r  r  r  r  r%  r,  r2  r5  r8  r*  r@  r	   cacherL  rQ  rO  rV  r[  ra  propertyr<  r  ro  r  rr  rt  ry  r|  r  r  r  r  r  r  r  r  r  r  r~  r6   memoized_propertyr  r  r  rZ  r^  r  r\  r]  r  r  r   r   r   r  r  	  sb    D#N $  !#O " ,1(
 $!%!%$%$66 ' "#( "&*.'O!H&#L)!M&HJ'+$
  
3+&	gt_%	gt_%		'	''49OO#		
$ 	,
-&  "/$#L%,EG
 :?H :?FK6E$H + +Z * *(
 
 
(-)^ : : : :   # # 
 
 " " 
 
( 
 
 6 6 0 0 	2 	2 'E 'ERbH 
F 
F 6 6 1D 1Df -1; ;,   .2
 
F F * *&""$0
+E  :>0r   r  c                  4    e Zd ZdZdddddddZd Zd	 Zd
 Zy)r/  zReturn unicode-decoded values based on type inspection.

    Smooth over data type issues (esp. with alpha driver versions) and
    normalize strings as Unicode regardless of user-configured driver
    encoding settings.

    koi8_rkoi8_uz	utf-16-beutf8ujis)koi8rkoi8uutf16utf8mb4utf8mb3eucjpmsc                T    || _         | j                  j                  ||      | _        y rs   )rowproxy_encoding_compatr  rA  )r}   rH  rA  s      r   r  z_DecodingRow.__init__  s#     ,,00'Br   c                    | j                   |   }t        |t              r|j                         }| j                  r+t        |t
              r|j                  | j                        S |S rs   )rH  r   _arraytostringrA  r  r  )r}   r  items      r   __getitem__z_DecodingRow.__getitem__  sM    }}U#dF#==?D<<JtU3;;t||,,Kr   c                    t        | j                  |      }t        |t              r|j	                         }| j
                  r+t        |t              r|j                  | j
                        S |S rs   )r4  rH  r   rK  rL  rA  r  r  )r}   r@  rM  s      r   __getattr__z_DecodingRow.__getattr__  sO    t}}d+dF#==?D<<JtU3;;t||,,Kr   N)r   r   r   r  rI  r  rN  rP  r   r   r   r/  r/    s3     Cr   r/  r  r  r  rI  r  information_schema)r  
__future__r   r   rK  collectionsr   	itertoolsr   r   typingr   r   r	   r  
enumeratedr
   r   r[   r   r   r   r  r   r   typesr   r   r   r   r   r   r   r   r   r   r   r   r   r   r   r    r!   r"   r#   r$   r%   r&   r'   r(   r)   r*   r+   r,   r-   r.   r/   r1   r2   r3   r4   r  r5   r6   enginer7   rx   r8   engine.reflectionr9   r:   r;   r<   r=   r>   r?   r@   rj  rA   sql.compilerrB   rC   
sql.schemarD   rE   rF   rG   rH   rI   rJ   rK   r  IrE  SET_REMSTimeMSSetMSEnum
MSLongBlobMSMediumBlob
MSTinyBlobMSBlobMSBinaryMSVarBinaryMSNChar
MSNVarCharMSCharMSString
MSLongTextMSMediumText
MSTinyTextMSTextMSYearMSTimeStampMSBitMSSmallIntegerMSTinyIntegerMSMediumIntegerMSBigInteger	MSNumeric	MSDecimalMSDoubleMSRealMSFloat	MSIntegerr   r;  Doubler7  Enum	MatchTyper-  r2  DefaultExecutionContextrq   r   DDLCompilerr  GenericTypeCompilerr7  IdentifierPreparerr  r  class_loggerr  r  r/  r   r   r  r   r   r   <module>r     s  GP  # ! #  	  '      2 0                                   #   '    3        #  8 ' %        
,bddRZZ.?

 
	

	

	

					
	 ,,
gNNEOOVMM4MM4
MM4MMMM %f%f% 
3% D	%
 w% D% D% % w% f% D% W% U% 
7% w%  D!%" #%$ %%& *'%( )%* *+%, U-%. /%0 w1%2 
33%4 5%6 D7%8 D9%: ;%< =%> w?%@ A%B DC%D E%F I%P(
G;; (
VM	H(( M	`l
x++ l
^	p44 pf	Oh99 O", 7 , r7)) r rj, ,^ 		CJJ~wr{+CJJ|WR[)CJJ}gbk*r   