vendor/doctrine/dbal/src/Connection.php line 1036

Open in your IDE?
  1. <?php
  2. namespace Doctrine\DBAL;
  3. use Closure;
  4. use Doctrine\Common\EventManager;
  5. use Doctrine\DBAL\Cache\ArrayResult;
  6. use Doctrine\DBAL\Cache\CacheException;
  7. use Doctrine\DBAL\Cache\QueryCacheProfile;
  8. use Doctrine\DBAL\Driver\API\ExceptionConverter;
  9. use Doctrine\DBAL\Driver\Connection as DriverConnection;
  10. use Doctrine\DBAL\Driver\ServerInfoAwareConnection;
  11. use Doctrine\DBAL\Driver\Statement as DriverStatement;
  12. use Doctrine\DBAL\Event\TransactionBeginEventArgs;
  13. use Doctrine\DBAL\Event\TransactionCommitEventArgs;
  14. use Doctrine\DBAL\Event\TransactionRollBackEventArgs;
  15. use Doctrine\DBAL\Exception\ConnectionLost;
  16. use Doctrine\DBAL\Exception\DriverException;
  17. use Doctrine\DBAL\Exception\InvalidArgumentException;
  18. use Doctrine\DBAL\Platforms\AbstractPlatform;
  19. use Doctrine\DBAL\Query\Expression\ExpressionBuilder;
  20. use Doctrine\DBAL\Query\QueryBuilder;
  21. use Doctrine\DBAL\Schema\AbstractSchemaManager;
  22. use Doctrine\DBAL\SQL\Parser;
  23. use Doctrine\DBAL\Types\Type;
  24. use Doctrine\Deprecations\Deprecation;
  25. use LogicException;
  26. use Throwable;
  27. use Traversable;
  28. use function array_key_exists;
  29. use function assert;
  30. use function count;
  31. use function get_class;
  32. use function implode;
  33. use function is_int;
  34. use function is_string;
  35. use function key;
  36. use function method_exists;
  37. use function sprintf;
  38. /**
  39.  * A database abstraction-level connection that implements features like events, transaction isolation levels,
  40.  * configuration, emulated transaction nesting, lazy connecting and more.
  41.  *
  42.  * @psalm-import-type Params from DriverManager
  43.  * @psalm-consistent-constructor
  44.  */
  45. class Connection
  46. {
  47.     /**
  48.      * Represents an array of ints to be expanded by Doctrine SQL parsing.
  49.      */
  50.     public const PARAM_INT_ARRAY ParameterType::INTEGER self::ARRAY_PARAM_OFFSET;
  51.     /**
  52.      * Represents an array of strings to be expanded by Doctrine SQL parsing.
  53.      */
  54.     public const PARAM_STR_ARRAY ParameterType::STRING self::ARRAY_PARAM_OFFSET;
  55.     /**
  56.      * Represents an array of ascii strings to be expanded by Doctrine SQL parsing.
  57.      */
  58.     public const PARAM_ASCII_STR_ARRAY ParameterType::ASCII self::ARRAY_PARAM_OFFSET;
  59.     /**
  60.      * Offset by which PARAM_* constants are detected as arrays of the param type.
  61.      *
  62.      * @internal Should be used only within the wrapper layer.
  63.      */
  64.     public const ARRAY_PARAM_OFFSET 100;
  65.     /**
  66.      * The wrapped driver connection.
  67.      *
  68.      * @var \Doctrine\DBAL\Driver\Connection|null
  69.      */
  70.     protected $_conn;
  71.     /** @var Configuration */
  72.     protected $_config;
  73.     /**
  74.      * @deprecated
  75.      *
  76.      * @var EventManager
  77.      */
  78.     protected $_eventManager;
  79.     /**
  80.      * @deprecated Use {@see createExpressionBuilder()} instead.
  81.      *
  82.      * @var ExpressionBuilder
  83.      */
  84.     protected $_expr;
  85.     /**
  86.      * The current auto-commit mode of this connection.
  87.      */
  88.     private bool $autoCommit true;
  89.     /**
  90.      * The transaction nesting level.
  91.      */
  92.     private int $transactionNestingLevel 0;
  93.     /**
  94.      * The currently active transaction isolation level or NULL before it has been determined.
  95.      *
  96.      * @var TransactionIsolationLevel::*|null
  97.      */
  98.     private $transactionIsolationLevel;
  99.     /**
  100.      * If nested transactions should use savepoints.
  101.      */
  102.     private bool $nestTransactionsWithSavepoints false;
  103.     /**
  104.      * The parameters used during creation of the Connection instance.
  105.      *
  106.      * @var array<string,mixed>
  107.      * @psalm-var Params
  108.      */
  109.     private array $params;
  110.     /**
  111.      * The database platform object used by the connection or NULL before it's initialized.
  112.      */
  113.     private ?AbstractPlatform $platform null;
  114.     private ?ExceptionConverter $exceptionConverter null;
  115.     private ?Parser $parser                         null;
  116.     /**
  117.      * The schema manager.
  118.      *
  119.      * @deprecated Use {@see createSchemaManager()} instead.
  120.      *
  121.      * @var AbstractSchemaManager|null
  122.      */
  123.     protected $_schemaManager;
  124.     /**
  125.      * The used DBAL driver.
  126.      *
  127.      * @var Driver
  128.      */
  129.     protected $_driver;
  130.     /**
  131.      * Flag that indicates whether the current transaction is marked for rollback only.
  132.      */
  133.     private bool $isRollbackOnly false;
  134.     /**
  135.      * Initializes a new instance of the Connection class.
  136.      *
  137.      * @internal The connection can be only instantiated by the driver manager.
  138.      *
  139.      * @param array<string,mixed> $params       The connection parameters.
  140.      * @param Driver              $driver       The driver to use.
  141.      * @param Configuration|null  $config       The configuration, optional.
  142.      * @param EventManager|null   $eventManager The event manager, optional.
  143.      * @psalm-param Params $params
  144.      * @phpstan-param array<string,mixed> $params
  145.      *
  146.      * @throws Exception
  147.      */
  148.     public function __construct(
  149.         array $params,
  150.         Driver $driver,
  151.         ?Configuration $config null,
  152.         ?EventManager $eventManager null
  153.     ) {
  154.         $this->_driver $driver;
  155.         $this->params  $params;
  156.         // Create default config and event manager if none given
  157.         $config       ??= new Configuration();
  158.         $eventManager ??= new EventManager();
  159.         $this->_config       $config;
  160.         $this->_eventManager $eventManager;
  161.         if (isset($params['platform'])) {
  162.             if (! $params['platform'] instanceof Platforms\AbstractPlatform) {
  163.                 throw Exception::invalidPlatformType($params['platform']);
  164.             }
  165.             Deprecation::trigger(
  166.                 'doctrine/dbal',
  167.                 'https://github.com/doctrine/dbal/pull/5699',
  168.                 'The "platform" connection parameter is deprecated.'
  169.                     ' Use a driver middleware that would instantiate the platform instead.',
  170.             );
  171.             $this->platform $params['platform'];
  172.             $this->platform->setEventManager($this->_eventManager);
  173.         }
  174.         $this->_expr $this->createExpressionBuilder();
  175.         $this->autoCommit $config->getAutoCommit();
  176.     }
  177.     /**
  178.      * Gets the parameters used during instantiation.
  179.      *
  180.      * @internal
  181.      *
  182.      * @return array<string,mixed>
  183.      * @psalm-return Params
  184.      */
  185.     public function getParams()
  186.     {
  187.         return $this->params;
  188.     }
  189.     /**
  190.      * Gets the name of the currently selected database.
  191.      *
  192.      * @return string|null The name of the database or NULL if a database is not selected.
  193.      *                     The platforms which don't support the concept of a database (e.g. embedded databases)
  194.      *                     must always return a string as an indicator of an implicitly selected database.
  195.      *
  196.      * @throws Exception
  197.      */
  198.     public function getDatabase()
  199.     {
  200.         $platform $this->getDatabasePlatform();
  201.         $query    $platform->getDummySelectSQL($platform->getCurrentDatabaseExpression());
  202.         $database $this->fetchOne($query);
  203.         assert(is_string($database) || $database === null);
  204.         return $database;
  205.     }
  206.     /**
  207.      * Gets the DBAL driver instance.
  208.      *
  209.      * @return Driver
  210.      */
  211.     public function getDriver()
  212.     {
  213.         return $this->_driver;
  214.     }
  215.     /**
  216.      * Gets the Configuration used by the Connection.
  217.      *
  218.      * @return Configuration
  219.      */
  220.     public function getConfiguration()
  221.     {
  222.         return $this->_config;
  223.     }
  224.     /**
  225.      * Gets the EventManager used by the Connection.
  226.      *
  227.      * @deprecated
  228.      *
  229.      * @return EventManager
  230.      */
  231.     public function getEventManager()
  232.     {
  233.         Deprecation::triggerIfCalledFromOutside(
  234.             'doctrine/dbal',
  235.             'https://github.com/doctrine/dbal/issues/5784',
  236.             '%s is deprecated.',
  237.             __METHOD__,
  238.         );
  239.         return $this->_eventManager;
  240.     }
  241.     /**
  242.      * Gets the DatabasePlatform for the connection.
  243.      *
  244.      * @return AbstractPlatform
  245.      *
  246.      * @throws Exception
  247.      */
  248.     public function getDatabasePlatform()
  249.     {
  250.         if ($this->platform === null) {
  251.             $this->platform $this->detectDatabasePlatform();
  252.             $this->platform->setEventManager($this->_eventManager);
  253.         }
  254.         return $this->platform;
  255.     }
  256.     /**
  257.      * Creates an expression builder for the connection.
  258.      */
  259.     public function createExpressionBuilder(): ExpressionBuilder
  260.     {
  261.         return new ExpressionBuilder($this);
  262.     }
  263.     /**
  264.      * Gets the ExpressionBuilder for the connection.
  265.      *
  266.      * @deprecated Use {@see createExpressionBuilder()} instead.
  267.      *
  268.      * @return ExpressionBuilder
  269.      */
  270.     public function getExpressionBuilder()
  271.     {
  272.         Deprecation::triggerIfCalledFromOutside(
  273.             'doctrine/dbal',
  274.             'https://github.com/doctrine/dbal/issues/4515',
  275.             'Connection::getExpressionBuilder() is deprecated,'
  276.                 ' use Connection::createExpressionBuilder() instead.',
  277.         );
  278.         return $this->_expr;
  279.     }
  280.     /**
  281.      * Establishes the connection with the database.
  282.      *
  283.      * @internal This method will be made protected in DBAL 4.0.
  284.      *
  285.      * @return bool TRUE if the connection was successfully established, FALSE if
  286.      *              the connection is already open.
  287.      *
  288.      * @throws Exception
  289.      */
  290.     public function connect()
  291.     {
  292.         Deprecation::triggerIfCalledFromOutside(
  293.             'doctrine/dbal',
  294.             'https://github.com/doctrine/dbal/issues/4966',
  295.             'Public access to Connection::connect() is deprecated.',
  296.         );
  297.         if ($this->_conn !== null) {
  298.             return false;
  299.         }
  300.         try {
  301.             $this->_conn $this->_driver->connect($this->params);
  302.         } catch (Driver\Exception $e) {
  303.             throw $this->convertException($e);
  304.         }
  305.         if ($this->autoCommit === false) {
  306.             $this->beginTransaction();
  307.         }
  308.         if ($this->_eventManager->hasListeners(Events::postConnect)) {
  309.             Deprecation::trigger(
  310.                 'doctrine/dbal',
  311.                 'https://github.com/doctrine/dbal/issues/5784',
  312.                 'Subscribing to %s events is deprecated. Implement a middleware instead.',
  313.                 Events::postConnect,
  314.             );
  315.             $eventArgs = new Event\ConnectionEventArgs($this);
  316.             $this->_eventManager->dispatchEvent(Events::postConnect$eventArgs);
  317.         }
  318.         return true;
  319.     }
  320.     /**
  321.      * Detects and sets the database platform.
  322.      *
  323.      * Evaluates custom platform class and version in order to set the correct platform.
  324.      *
  325.      * @throws Exception If an invalid platform was specified for this connection.
  326.      */
  327.     private function detectDatabasePlatform(): AbstractPlatform
  328.     {
  329.         $version $this->getDatabasePlatformVersion();
  330.         if ($version !== null) {
  331.             assert($this->_driver instanceof VersionAwarePlatformDriver);
  332.             return $this->_driver->createDatabasePlatformForVersion($version);
  333.         }
  334.         return $this->_driver->getDatabasePlatform();
  335.     }
  336.     /**
  337.      * Returns the version of the related platform if applicable.
  338.      *
  339.      * Returns null if either the driver is not capable to create version
  340.      * specific platform instances, no explicit server version was specified
  341.      * or the underlying driver connection cannot determine the platform
  342.      * version without having to query it (performance reasons).
  343.      *
  344.      * @return string|null
  345.      *
  346.      * @throws Throwable
  347.      */
  348.     private function getDatabasePlatformVersion()
  349.     {
  350.         // Driver does not support version specific platforms.
  351.         if (! $this->_driver instanceof VersionAwarePlatformDriver) {
  352.             return null;
  353.         }
  354.         // Explicit platform version requested (supersedes auto-detection).
  355.         if (isset($this->params['serverVersion'])) {
  356.             return $this->params['serverVersion'];
  357.         }
  358.         // If not connected, we need to connect now to determine the platform version.
  359.         if ($this->_conn === null) {
  360.             try {
  361.                 $this->connect();
  362.             } catch (Exception $originalException) {
  363.                 if (! isset($this->params['dbname'])) {
  364.                     throw $originalException;
  365.                 }
  366.                 Deprecation::trigger(
  367.                     'doctrine/dbal',
  368.                     'https://github.com/doctrine/dbal/pull/5707',
  369.                     'Relying on a fallback connection used to determine the database platform while connecting'
  370.                         ' to a non-existing database is deprecated. Either use an existing database name in'
  371.                         ' connection parameters or omit the database name if the platform'
  372.                         ' and the server configuration allow that.',
  373.                 );
  374.                 // The database to connect to might not yet exist.
  375.                 // Retry detection without database name connection parameter.
  376.                 $params $this->params;
  377.                 unset($this->params['dbname']);
  378.                 try {
  379.                     $this->connect();
  380.                 } catch (Exception $fallbackException) {
  381.                     // Either the platform does not support database-less connections
  382.                     // or something else went wrong.
  383.                     throw $originalException;
  384.                 } finally {
  385.                     $this->params $params;
  386.                 }
  387.                 $serverVersion $this->getServerVersion();
  388.                 // Close "temporary" connection to allow connecting to the real database again.
  389.                 $this->close();
  390.                 return $serverVersion;
  391.             }
  392.         }
  393.         return $this->getServerVersion();
  394.     }
  395.     /**
  396.      * Returns the database server version if the underlying driver supports it.
  397.      *
  398.      * @return string|null
  399.      *
  400.      * @throws Exception
  401.      */
  402.     private function getServerVersion()
  403.     {
  404.         $connection $this->getWrappedConnection();
  405.         // Automatic platform version detection.
  406.         if ($connection instanceof ServerInfoAwareConnection) {
  407.             try {
  408.                 return $connection->getServerVersion();
  409.             } catch (Driver\Exception $e) {
  410.                 throw $this->convertException($e);
  411.             }
  412.         }
  413.         Deprecation::trigger(
  414.             'doctrine/dbal',
  415.             'https://github.com/doctrine/dbal/pull/4750',
  416.             'Not implementing the ServerInfoAwareConnection interface in %s is deprecated',
  417.             get_class($connection),
  418.         );
  419.         // Unable to detect platform version.
  420.         return null;
  421.     }
  422.     /**
  423.      * Returns the current auto-commit mode for this connection.
  424.      *
  425.      * @see    setAutoCommit
  426.      *
  427.      * @return bool True if auto-commit mode is currently enabled for this connection, false otherwise.
  428.      */
  429.     public function isAutoCommit()
  430.     {
  431.         return $this->autoCommit === true;
  432.     }
  433.     /**
  434.      * Sets auto-commit mode for this connection.
  435.      *
  436.      * If a connection is in auto-commit mode, then all its SQL statements will be executed and committed as individual
  437.      * transactions. Otherwise, its SQL statements are grouped into transactions that are terminated by a call to either
  438.      * the method commit or the method rollback. By default, new connections are in auto-commit mode.
  439.      *
  440.      * NOTE: If this method is called during a transaction and the auto-commit mode is changed, the transaction is
  441.      * committed. If this method is called and the auto-commit mode is not changed, the call is a no-op.
  442.      *
  443.      * @see   isAutoCommit
  444.      *
  445.      * @param bool $autoCommit True to enable auto-commit mode; false to disable it.
  446.      *
  447.      * @return void
  448.      */
  449.     public function setAutoCommit($autoCommit)
  450.     {
  451.         $autoCommit = (bool) $autoCommit;
  452.         // Mode not changed, no-op.
  453.         if ($autoCommit === $this->autoCommit) {
  454.             return;
  455.         }
  456.         $this->autoCommit $autoCommit;
  457.         // Commit all currently active transactions if any when switching auto-commit mode.
  458.         if ($this->_conn === null || $this->transactionNestingLevel === 0) {
  459.             return;
  460.         }
  461.         $this->commitAll();
  462.     }
  463.     /**
  464.      * Prepares and executes an SQL query and returns the first row of the result
  465.      * as an associative array.
  466.      *
  467.      * @param string                                                               $query  SQL query
  468.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  469.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  470.      *
  471.      * @return array<string, mixed>|false False is returned if no rows are found.
  472.      *
  473.      * @throws Exception
  474.      */
  475.     public function fetchAssociative(string $query, array $params = [], array $types = [])
  476.     {
  477.         return $this->executeQuery($query$params$types)->fetchAssociative();
  478.     }
  479.     /**
  480.      * Prepares and executes an SQL query and returns the first row of the result
  481.      * as a numerically indexed array.
  482.      *
  483.      * @param string                                                               $query  SQL query
  484.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  485.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  486.      *
  487.      * @return list<mixed>|false False is returned if no rows are found.
  488.      *
  489.      * @throws Exception
  490.      */
  491.     public function fetchNumeric(string $query, array $params = [], array $types = [])
  492.     {
  493.         return $this->executeQuery($query$params$types)->fetchNumeric();
  494.     }
  495.     /**
  496.      * Prepares and executes an SQL query and returns the value of a single column
  497.      * of the first row of the result.
  498.      *
  499.      * @param string                                                               $query  SQL query
  500.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  501.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  502.      *
  503.      * @return mixed|false False is returned if no rows are found.
  504.      *
  505.      * @throws Exception
  506.      */
  507.     public function fetchOne(string $query, array $params = [], array $types = [])
  508.     {
  509.         return $this->executeQuery($query$params$types)->fetchOne();
  510.     }
  511.     /**
  512.      * Whether an actual connection to the database is established.
  513.      *
  514.      * @return bool
  515.      */
  516.     public function isConnected()
  517.     {
  518.         return $this->_conn !== null;
  519.     }
  520.     /**
  521.      * Checks whether a transaction is currently active.
  522.      *
  523.      * @return bool TRUE if a transaction is currently active, FALSE otherwise.
  524.      */
  525.     public function isTransactionActive()
  526.     {
  527.         return $this->transactionNestingLevel 0;
  528.     }
  529.     /**
  530.      * Adds condition based on the criteria to the query components
  531.      *
  532.      * @param array<string,mixed> $criteria   Map of key columns to their values
  533.      * @param string[]            $columns    Column names
  534.      * @param mixed[]             $values     Column values
  535.      * @param string[]            $conditions Key conditions
  536.      *
  537.      * @throws Exception
  538.      */
  539.     private function addCriteriaCondition(
  540.         array $criteria,
  541.         array &$columns,
  542.         array &$values,
  543.         array &$conditions
  544.     ): void {
  545.         $platform $this->getDatabasePlatform();
  546.         foreach ($criteria as $columnName => $value) {
  547.             if ($value === null) {
  548.                 $conditions[] = $platform->getIsNullExpression($columnName);
  549.                 continue;
  550.             }
  551.             $columns[]    = $columnName;
  552.             $values[]     = $value;
  553.             $conditions[] = $columnName ' = ?';
  554.         }
  555.     }
  556.     /**
  557.      * Executes an SQL DELETE statement on a table.
  558.      *
  559.      * Table expression and columns are not escaped and are not safe for user-input.
  560.      *
  561.      * @param string                                                               $table    Table name
  562.      * @param array<string, mixed>                                                 $criteria Deletion criteria
  563.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types    Parameter types
  564.      *
  565.      * @return int|string The number of affected rows.
  566.      *
  567.      * @throws Exception
  568.      */
  569.     public function delete($table, array $criteria, array $types = [])
  570.     {
  571.         if (count($criteria) === 0) {
  572.             throw InvalidArgumentException::fromEmptyCriteria();
  573.         }
  574.         $columns $values $conditions = [];
  575.         $this->addCriteriaCondition($criteria$columns$values$conditions);
  576.         return $this->executeStatement(
  577.             'DELETE FROM ' $table ' WHERE ' implode(' AND '$conditions),
  578.             $values,
  579.             is_string(key($types)) ? $this->extractTypeValues($columns$types) : $types,
  580.         );
  581.     }
  582.     /**
  583.      * Closes the connection.
  584.      *
  585.      * @return void
  586.      */
  587.     public function close()
  588.     {
  589.         $this->_conn                   null;
  590.         $this->transactionNestingLevel 0;
  591.     }
  592.     /**
  593.      * Sets the transaction isolation level.
  594.      *
  595.      * @param TransactionIsolationLevel::* $level The level to set.
  596.      *
  597.      * @return int|string
  598.      *
  599.      * @throws Exception
  600.      */
  601.     public function setTransactionIsolation($level)
  602.     {
  603.         $this->transactionIsolationLevel $level;
  604.         return $this->executeStatement($this->getDatabasePlatform()->getSetTransactionIsolationSQL($level));
  605.     }
  606.     /**
  607.      * Gets the currently active transaction isolation level.
  608.      *
  609.      * @return TransactionIsolationLevel::* The current transaction isolation level.
  610.      *
  611.      * @throws Exception
  612.      */
  613.     public function getTransactionIsolation()
  614.     {
  615.         return $this->transactionIsolationLevel ??= $this->getDatabasePlatform()->getDefaultTransactionIsolationLevel();
  616.     }
  617.     /**
  618.      * Executes an SQL UPDATE statement on a table.
  619.      *
  620.      * Table expression and columns are not escaped and are not safe for user-input.
  621.      *
  622.      * @param string                                                               $table    Table name
  623.      * @param array<string, mixed>                                                 $data     Column-value pairs
  624.      * @param array<string, mixed>                                                 $criteria Update criteria
  625.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types    Parameter types
  626.      *
  627.      * @return int|string The number of affected rows.
  628.      *
  629.      * @throws Exception
  630.      */
  631.     public function update($table, array $data, array $criteria, array $types = [])
  632.     {
  633.         $columns $values $conditions $set = [];
  634.         foreach ($data as $columnName => $value) {
  635.             $columns[] = $columnName;
  636.             $values[]  = $value;
  637.             $set[]     = $columnName ' = ?';
  638.         }
  639.         $this->addCriteriaCondition($criteria$columns$values$conditions);
  640.         if (is_string(key($types))) {
  641.             $types $this->extractTypeValues($columns$types);
  642.         }
  643.         $sql 'UPDATE ' $table ' SET ' implode(', '$set)
  644.                 . ' WHERE ' implode(' AND '$conditions);
  645.         return $this->executeStatement($sql$values$types);
  646.     }
  647.     /**
  648.      * Inserts a table row with specified data.
  649.      *
  650.      * Table expression and columns are not escaped and are not safe for user-input.
  651.      *
  652.      * @param string                                                               $table Table name
  653.      * @param array<string, mixed>                                                 $data  Column-value pairs
  654.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types Parameter types
  655.      *
  656.      * @return int|string The number of affected rows.
  657.      *
  658.      * @throws Exception
  659.      */
  660.     public function insert($table, array $data, array $types = [])
  661.     {
  662.         if (count($data) === 0) {
  663.             return $this->executeStatement('INSERT INTO ' $table ' () VALUES ()');
  664.         }
  665.         $columns = [];
  666.         $values  = [];
  667.         $set     = [];
  668.         foreach ($data as $columnName => $value) {
  669.             $columns[] = $columnName;
  670.             $values[]  = $value;
  671.             $set[]     = '?';
  672.         }
  673.         return $this->executeStatement(
  674.             'INSERT INTO ' $table ' (' implode(', '$columns) . ')' .
  675.             ' VALUES (' implode(', '$set) . ')',
  676.             $values,
  677.             is_string(key($types)) ? $this->extractTypeValues($columns$types) : $types,
  678.         );
  679.     }
  680.     /**
  681.      * Extract ordered type list from an ordered column list and type map.
  682.      *
  683.      * @param array<int, string>                                                   $columnList
  684.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types
  685.      *
  686.      * @return array<int, int|string|Type|null>|array<string, int|string|Type|null>
  687.      */
  688.     private function extractTypeValues(array $columnList, array $types): array
  689.     {
  690.         $typeValues = [];
  691.         foreach ($columnList as $columnName) {
  692.             $typeValues[] = $types[$columnName] ?? ParameterType::STRING;
  693.         }
  694.         return $typeValues;
  695.     }
  696.     /**
  697.      * Quotes a string so it can be safely used as a table or column name, even if
  698.      * it is a reserved name.
  699.      *
  700.      * Delimiting style depends on the underlying database platform that is being used.
  701.      *
  702.      * NOTE: Just because you CAN use quoted identifiers does not mean
  703.      * you SHOULD use them. In general, they end up causing way more
  704.      * problems than they solve.
  705.      *
  706.      * @param string $str The name to be quoted.
  707.      *
  708.      * @return string The quoted name.
  709.      */
  710.     public function quoteIdentifier($str)
  711.     {
  712.         return $this->getDatabasePlatform()->quoteIdentifier($str);
  713.     }
  714.     /**
  715.      * The usage of this method is discouraged. Use prepared statements
  716.      * or {@see AbstractPlatform::quoteStringLiteral()} instead.
  717.      *
  718.      * @param mixed                $value
  719.      * @param int|string|Type|null $type
  720.      *
  721.      * @return mixed
  722.      */
  723.     public function quote($value$type ParameterType::STRING)
  724.     {
  725.         $connection $this->getWrappedConnection();
  726.         [$value$bindingType] = $this->getBindingInfo($value$type);
  727.         return $connection->quote($value$bindingType);
  728.     }
  729.     /**
  730.      * Prepares and executes an SQL query and returns the result as an array of numeric arrays.
  731.      *
  732.      * @param string                                                               $query  SQL query
  733.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  734.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  735.      *
  736.      * @return list<list<mixed>>
  737.      *
  738.      * @throws Exception
  739.      */
  740.     public function fetchAllNumeric(string $query, array $params = [], array $types = []): array
  741.     {
  742.         return $this->executeQuery($query$params$types)->fetchAllNumeric();
  743.     }
  744.     /**
  745.      * Prepares and executes an SQL query and returns the result as an array of associative arrays.
  746.      *
  747.      * @param string                                                               $query  SQL query
  748.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  749.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  750.      *
  751.      * @return list<array<string,mixed>>
  752.      *
  753.      * @throws Exception
  754.      */
  755.     public function fetchAllAssociative(string $query, array $params = [], array $types = []): array
  756.     {
  757.         return $this->executeQuery($query$params$types)->fetchAllAssociative();
  758.     }
  759.     /**
  760.      * Prepares and executes an SQL query and returns the result as an associative array with the keys
  761.      * mapped to the first column and the values mapped to the second column.
  762.      *
  763.      * @param string                                                               $query  SQL query
  764.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  765.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  766.      *
  767.      * @return array<mixed,mixed>
  768.      *
  769.      * @throws Exception
  770.      */
  771.     public function fetchAllKeyValue(string $query, array $params = [], array $types = []): array
  772.     {
  773.         return $this->executeQuery($query$params$types)->fetchAllKeyValue();
  774.     }
  775.     /**
  776.      * Prepares and executes an SQL query and returns the result as an associative array with the keys mapped
  777.      * to the first column and the values being an associative array representing the rest of the columns
  778.      * and their values.
  779.      *
  780.      * @param string                                                               $query  SQL query
  781.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  782.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  783.      *
  784.      * @return array<mixed,array<string,mixed>>
  785.      *
  786.      * @throws Exception
  787.      */
  788.     public function fetchAllAssociativeIndexed(string $query, array $params = [], array $types = []): array
  789.     {
  790.         return $this->executeQuery($query$params$types)->fetchAllAssociativeIndexed();
  791.     }
  792.     /**
  793.      * Prepares and executes an SQL query and returns the result as an array of the first column values.
  794.      *
  795.      * @param string                                                               $query  SQL query
  796.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  797.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  798.      *
  799.      * @return list<mixed>
  800.      *
  801.      * @throws Exception
  802.      */
  803.     public function fetchFirstColumn(string $query, array $params = [], array $types = []): array
  804.     {
  805.         return $this->executeQuery($query$params$types)->fetchFirstColumn();
  806.     }
  807.     /**
  808.      * Prepares and executes an SQL query and returns the result as an iterator over rows represented as numeric arrays.
  809.      *
  810.      * @param string                                                               $query  SQL query
  811.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  812.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  813.      *
  814.      * @return Traversable<int,list<mixed>>
  815.      *
  816.      * @throws Exception
  817.      */
  818.     public function iterateNumeric(string $query, array $params = [], array $types = []): Traversable
  819.     {
  820.         return $this->executeQuery($query$params$types)->iterateNumeric();
  821.     }
  822.     /**
  823.      * Prepares and executes an SQL query and returns the result as an iterator over rows represented
  824.      * as associative arrays.
  825.      *
  826.      * @param string                                                               $query  SQL query
  827.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  828.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  829.      *
  830.      * @return Traversable<int,array<string,mixed>>
  831.      *
  832.      * @throws Exception
  833.      */
  834.     public function iterateAssociative(string $query, array $params = [], array $types = []): Traversable
  835.     {
  836.         return $this->executeQuery($query$params$types)->iterateAssociative();
  837.     }
  838.     /**
  839.      * Prepares and executes an SQL query and returns the result as an iterator with the keys
  840.      * mapped to the first column and the values mapped to the second column.
  841.      *
  842.      * @param string                                                               $query  SQL query
  843.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  844.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  845.      *
  846.      * @return Traversable<mixed,mixed>
  847.      *
  848.      * @throws Exception
  849.      */
  850.     public function iterateKeyValue(string $query, array $params = [], array $types = []): Traversable
  851.     {
  852.         return $this->executeQuery($query$params$types)->iterateKeyValue();
  853.     }
  854.     /**
  855.      * Prepares and executes an SQL query and returns the result as an iterator with the keys mapped
  856.      * to the first column and the values being an associative array representing the rest of the columns
  857.      * and their values.
  858.      *
  859.      * @param string                                           $query  SQL query
  860.      * @param list<mixed>|array<string, mixed>                 $params Query parameters
  861.      * @param array<int, int|string>|array<string, int|string> $types  Parameter types
  862.      *
  863.      * @return Traversable<mixed,array<string,mixed>>
  864.      *
  865.      * @throws Exception
  866.      */
  867.     public function iterateAssociativeIndexed(string $query, array $params = [], array $types = []): Traversable
  868.     {
  869.         return $this->executeQuery($query$params$types)->iterateAssociativeIndexed();
  870.     }
  871.     /**
  872.      * Prepares and executes an SQL query and returns the result as an iterator over the first column values.
  873.      *
  874.      * @param string                                                               $query  SQL query
  875.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  876.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  877.      *
  878.      * @return Traversable<int,mixed>
  879.      *
  880.      * @throws Exception
  881.      */
  882.     public function iterateColumn(string $query, array $params = [], array $types = []): Traversable
  883.     {
  884.         return $this->executeQuery($query$params$types)->iterateColumn();
  885.     }
  886.     /**
  887.      * Prepares an SQL statement.
  888.      *
  889.      * @param string $sql The SQL statement to prepare.
  890.      *
  891.      * @throws Exception
  892.      */
  893.     public function prepare(string $sql): Statement
  894.     {
  895.         $connection $this->getWrappedConnection();
  896.         try {
  897.             $statement $connection->prepare($sql);
  898.         } catch (Driver\Exception $e) {
  899.             throw $this->convertExceptionDuringQuery($e$sql);
  900.         }
  901.         return new Statement($this$statement$sql);
  902.     }
  903.     /**
  904.      * Executes an, optionally parametrized, SQL query.
  905.      *
  906.      * If the query is parametrized, a prepared statement is used.
  907.      * If an SQLLogger is configured, the execution is logged.
  908.      *
  909.      * @param string                                                               $sql    SQL query
  910.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  911.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  912.      *
  913.      * @throws Exception
  914.      */
  915.     public function executeQuery(
  916.         string $sql,
  917.         array $params = [],
  918.         $types = [],
  919.         ?QueryCacheProfile $qcp null
  920.     ): Result {
  921.         if ($qcp !== null) {
  922.             return $this->executeCacheQuery($sql$params$types$qcp);
  923.         }
  924.         $connection $this->getWrappedConnection();
  925.         $logger $this->_config->getSQLLogger();
  926.         if ($logger !== null) {
  927.             $logger->startQuery($sql$params$types);
  928.         }
  929.         try {
  930.             if (count($params) > 0) {
  931.                 if ($this->needsArrayParameterConversion($params$types)) {
  932.                     [$sql$params$types] = $this->expandArrayParameters($sql$params$types);
  933.                 }
  934.                 $stmt $connection->prepare($sql);
  935.                 $this->bindParameters($stmt$params$types);
  936.                 $result $stmt->execute();
  937.             } else {
  938.                 $result $connection->query($sql);
  939.             }
  940.             return new Result($result$this);
  941.         } catch (Driver\Exception $e) {
  942.             throw $this->convertExceptionDuringQuery($e$sql$params$types);
  943.         } finally {
  944.             if ($logger !== null) {
  945.                 $logger->stopQuery();
  946.             }
  947.         }
  948.     }
  949.     /**
  950.      * Executes a caching query.
  951.      *
  952.      * @param string                                                               $sql    SQL query
  953.      * @param list<mixed>|array<string, mixed>                                     $params Query parameters
  954.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  955.      *
  956.      * @throws CacheException
  957.      * @throws Exception
  958.      */
  959.     public function executeCacheQuery($sql$params$typesQueryCacheProfile $qcp): Result
  960.     {
  961.         $resultCache $qcp->getResultCache() ?? $this->_config->getResultCache();
  962.         if ($resultCache === null) {
  963.             throw CacheException::noResultDriverConfigured();
  964.         }
  965.         $connectionParams $this->params;
  966.         unset($connectionParams['platform']);
  967.         [$cacheKey$realKey] = $qcp->generateCacheKeys($sql$params$types$connectionParams);
  968.         $item $resultCache->getItem($cacheKey);
  969.         if ($item->isHit()) {
  970.             $value $item->get();
  971.             if (isset($value[$realKey])) {
  972.                 return new Result(new ArrayResult($value[$realKey]), $this);
  973.             }
  974.         } else {
  975.             $value = [];
  976.         }
  977.         $data $this->fetchAllAssociative($sql$params$types);
  978.         $value[$realKey] = $data;
  979.         $item->set($value);
  980.         $lifetime $qcp->getLifetime();
  981.         if ($lifetime 0) {
  982.             $item->expiresAfter($lifetime);
  983.         }
  984.         $resultCache->save($item);
  985.         return new Result(new ArrayResult($data), $this);
  986.     }
  987.     /**
  988.      * Executes an SQL statement with the given parameters and returns the number of affected rows.
  989.      *
  990.      * Could be used for:
  991.      *  - DML statements: INSERT, UPDATE, DELETE, etc.
  992.      *  - DDL statements: CREATE, DROP, ALTER, etc.
  993.      *  - DCL statements: GRANT, REVOKE, etc.
  994.      *  - Session control statements: ALTER SESSION, SET, DECLARE, etc.
  995.      *  - Other statements that don't yield a row set.
  996.      *
  997.      * This method supports PDO binding types as well as DBAL mapping types.
  998.      *
  999.      * @param string                                                               $sql    SQL statement
  1000.      * @param list<mixed>|array<string, mixed>                                     $params Statement parameters
  1001.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  1002.      *
  1003.      * @return int|string The number of affected rows.
  1004.      *
  1005.      * @throws Exception
  1006.      */
  1007.     public function executeStatement($sql, array $params = [], array $types = [])
  1008.     {
  1009.         $connection $this->getWrappedConnection();
  1010.         $logger $this->_config->getSQLLogger();
  1011.         if ($logger !== null) {
  1012.             $logger->startQuery($sql$params$types);
  1013.         }
  1014.         try {
  1015.             if (count($params) > 0) {
  1016.                 if ($this->needsArrayParameterConversion($params$types)) {
  1017.                     [$sql$params$types] = $this->expandArrayParameters($sql$params$types);
  1018.                 }
  1019.                 $stmt $connection->prepare($sql);
  1020.                 $this->bindParameters($stmt$params$types);
  1021.                 return $stmt->execute()
  1022.                     ->rowCount();
  1023.             }
  1024.             return $connection->exec($sql);
  1025.         } catch (Driver\Exception $e) {
  1026.             throw $this->convertExceptionDuringQuery($e$sql$params$types);
  1027.         } finally {
  1028.             if ($logger !== null) {
  1029.                 $logger->stopQuery();
  1030.             }
  1031.         }
  1032.     }
  1033.     /**
  1034.      * Returns the current transaction nesting level.
  1035.      *
  1036.      * @return int The nesting level. A value of 0 means there's no active transaction.
  1037.      */
  1038.     public function getTransactionNestingLevel()
  1039.     {
  1040.         return $this->transactionNestingLevel;
  1041.     }
  1042.     /**
  1043.      * Returns the ID of the last inserted row, or the last value from a sequence object,
  1044.      * depending on the underlying driver.
  1045.      *
  1046.      * Note: This method may not return a meaningful or consistent result across different drivers,
  1047.      * because the underlying database may not even support the notion of AUTO_INCREMENT/IDENTITY
  1048.      * columns or sequences.
  1049.      *
  1050.      * @param string|null $name Name of the sequence object from which the ID should be returned.
  1051.      *
  1052.      * @return string|int|false A string representation of the last inserted ID.
  1053.      *
  1054.      * @throws Exception
  1055.      */
  1056.     public function lastInsertId($name null)
  1057.     {
  1058.         if ($name !== null) {
  1059.             Deprecation::trigger(
  1060.                 'doctrine/dbal',
  1061.                 'https://github.com/doctrine/dbal/issues/4687',
  1062.                 'The usage of Connection::lastInsertId() with a sequence name is deprecated.',
  1063.             );
  1064.         }
  1065.         try {
  1066.             return $this->getWrappedConnection()->lastInsertId($name);
  1067.         } catch (Driver\Exception $e) {
  1068.             throw $this->convertException($e);
  1069.         }
  1070.     }
  1071.     /**
  1072.      * Executes a function in a transaction.
  1073.      *
  1074.      * The function gets passed this Connection instance as an (optional) parameter.
  1075.      *
  1076.      * If an exception occurs during execution of the function or transaction commit,
  1077.      * the transaction is rolled back and the exception re-thrown.
  1078.      *
  1079.      * @param Closure(self):T $func The function to execute transactionally.
  1080.      *
  1081.      * @return T The value returned by $func
  1082.      *
  1083.      * @throws Throwable
  1084.      *
  1085.      * @template T
  1086.      */
  1087.     public function transactional(Closure $func)
  1088.     {
  1089.         $this->beginTransaction();
  1090.         try {
  1091.             $res $func($this);
  1092.             $this->commit();
  1093.             return $res;
  1094.         } catch (Throwable $e) {
  1095.             $this->rollBack();
  1096.             throw $e;
  1097.         }
  1098.     }
  1099.     /**
  1100.      * Sets if nested transactions should use savepoints.
  1101.      *
  1102.      * @param bool $nestTransactionsWithSavepoints
  1103.      *
  1104.      * @return void
  1105.      *
  1106.      * @throws Exception
  1107.      */
  1108.     public function setNestTransactionsWithSavepoints($nestTransactionsWithSavepoints)
  1109.     {
  1110.         if (! $nestTransactionsWithSavepoints) {
  1111.             Deprecation::trigger(
  1112.                 'doctrine/dbal',
  1113.                 'https://github.com/doctrine/dbal/pull/5383',
  1114.                 <<<'DEPRECATION'
  1115.                 Nesting transactions without enabling savepoints is deprecated.
  1116.                 Call %s::setNestTransactionsWithSavepoints(true) to enable savepoints.
  1117.                 DEPRECATION,
  1118.                 self::class,
  1119.             );
  1120.         }
  1121.         if ($this->transactionNestingLevel 0) {
  1122.             throw ConnectionException::mayNotAlterNestedTransactionWithSavepointsInTransaction();
  1123.         }
  1124.         if (! $this->getDatabasePlatform()->supportsSavepoints()) {
  1125.             throw ConnectionException::savepointsNotSupported();
  1126.         }
  1127.         $this->nestTransactionsWithSavepoints = (bool) $nestTransactionsWithSavepoints;
  1128.     }
  1129.     /**
  1130.      * Gets if nested transactions should use savepoints.
  1131.      *
  1132.      * @return bool
  1133.      */
  1134.     public function getNestTransactionsWithSavepoints()
  1135.     {
  1136.         return $this->nestTransactionsWithSavepoints;
  1137.     }
  1138.     /**
  1139.      * Returns the savepoint name to use for nested transactions.
  1140.      *
  1141.      * @return string
  1142.      */
  1143.     protected function _getNestedTransactionSavePointName()
  1144.     {
  1145.         return 'DOCTRINE2_SAVEPOINT_' $this->transactionNestingLevel;
  1146.     }
  1147.     /**
  1148.      * @return bool
  1149.      *
  1150.      * @throws Exception
  1151.      */
  1152.     public function beginTransaction()
  1153.     {
  1154.         $connection $this->getWrappedConnection();
  1155.         ++$this->transactionNestingLevel;
  1156.         $logger $this->_config->getSQLLogger();
  1157.         if ($this->transactionNestingLevel === 1) {
  1158.             if ($logger !== null) {
  1159.                 $logger->startQuery('"START TRANSACTION"');
  1160.             }
  1161.             $connection->beginTransaction();
  1162.             if ($logger !== null) {
  1163.                 $logger->stopQuery();
  1164.             }
  1165.         } elseif ($this->nestTransactionsWithSavepoints) {
  1166.             if ($logger !== null) {
  1167.                 $logger->startQuery('"SAVEPOINT"');
  1168.             }
  1169.             $this->createSavepoint($this->_getNestedTransactionSavePointName());
  1170.             if ($logger !== null) {
  1171.                 $logger->stopQuery();
  1172.             }
  1173.         } else {
  1174.             Deprecation::trigger(
  1175.                 'doctrine/dbal',
  1176.                 'https://github.com/doctrine/dbal/pull/5383',
  1177.                 <<<'DEPRECATION'
  1178.                 Nesting transactions without enabling savepoints is deprecated.
  1179.                 Call %s::setNestTransactionsWithSavepoints(true) to enable savepoints.
  1180.                 DEPRECATION,
  1181.                 self::class,
  1182.             );
  1183.         }
  1184.         $eventManager $this->getEventManager();
  1185.         if ($eventManager->hasListeners(Events::onTransactionBegin)) {
  1186.             Deprecation::trigger(
  1187.                 'doctrine/dbal',
  1188.                 'https://github.com/doctrine/dbal/issues/5784',
  1189.                 'Subscribing to %s events is deprecated.',
  1190.                 Events::onTransactionBegin,
  1191.             );
  1192.             $eventManager->dispatchEvent(Events::onTransactionBegin, new TransactionBeginEventArgs($this));
  1193.         }
  1194.         return true;
  1195.     }
  1196.     /**
  1197.      * @return bool
  1198.      *
  1199.      * @throws Exception
  1200.      */
  1201.     public function commit()
  1202.     {
  1203.         if ($this->transactionNestingLevel === 0) {
  1204.             throw ConnectionException::noActiveTransaction();
  1205.         }
  1206.         if ($this->isRollbackOnly) {
  1207.             throw ConnectionException::commitFailedRollbackOnly();
  1208.         }
  1209.         $result true;
  1210.         $connection $this->getWrappedConnection();
  1211.         if ($this->transactionNestingLevel === 1) {
  1212.             $result $this->doCommit($connection);
  1213.         } elseif ($this->nestTransactionsWithSavepoints) {
  1214.             $this->releaseSavepoint($this->_getNestedTransactionSavePointName());
  1215.         }
  1216.         --$this->transactionNestingLevel;
  1217.         $eventManager $this->getEventManager();
  1218.         if ($eventManager->hasListeners(Events::onTransactionCommit)) {
  1219.             Deprecation::trigger(
  1220.                 'doctrine/dbal',
  1221.                 'https://github.com/doctrine/dbal/issues/5784',
  1222.                 'Subscribing to %s events is deprecated.',
  1223.                 Events::onTransactionCommit,
  1224.             );
  1225.             $eventManager->dispatchEvent(Events::onTransactionCommit, new TransactionCommitEventArgs($this));
  1226.         }
  1227.         if ($this->autoCommit !== false || $this->transactionNestingLevel !== 0) {
  1228.             return $result;
  1229.         }
  1230.         $this->beginTransaction();
  1231.         return $result;
  1232.     }
  1233.     /**
  1234.      * @return bool
  1235.      *
  1236.      * @throws DriverException
  1237.      */
  1238.     private function doCommit(DriverConnection $connection)
  1239.     {
  1240.         $logger $this->_config->getSQLLogger();
  1241.         if ($logger !== null) {
  1242.             $logger->startQuery('"COMMIT"');
  1243.         }
  1244.         $result $connection->commit();
  1245.         if ($logger !== null) {
  1246.             $logger->stopQuery();
  1247.         }
  1248.         return $result;
  1249.     }
  1250.     /**
  1251.      * Commits all current nesting transactions.
  1252.      *
  1253.      * @throws Exception
  1254.      */
  1255.     private function commitAll(): void
  1256.     {
  1257.         while ($this->transactionNestingLevel !== 0) {
  1258.             if ($this->autoCommit === false && $this->transactionNestingLevel === 1) {
  1259.                 // When in no auto-commit mode, the last nesting commit immediately starts a new transaction.
  1260.                 // Therefore we need to do the final commit here and then leave to avoid an infinite loop.
  1261.                 $this->commit();
  1262.                 return;
  1263.             }
  1264.             $this->commit();
  1265.         }
  1266.     }
  1267.     /**
  1268.      * Cancels any database changes done during the current transaction.
  1269.      *
  1270.      * @return bool
  1271.      *
  1272.      * @throws Exception
  1273.      */
  1274.     public function rollBack()
  1275.     {
  1276.         if ($this->transactionNestingLevel === 0) {
  1277.             throw ConnectionException::noActiveTransaction();
  1278.         }
  1279.         $connection $this->getWrappedConnection();
  1280.         $logger $this->_config->getSQLLogger();
  1281.         if ($this->transactionNestingLevel === 1) {
  1282.             if ($logger !== null) {
  1283.                 $logger->startQuery('"ROLLBACK"');
  1284.             }
  1285.             $this->transactionNestingLevel 0;
  1286.             $connection->rollBack();
  1287.             $this->isRollbackOnly false;
  1288.             if ($logger !== null) {
  1289.                 $logger->stopQuery();
  1290.             }
  1291.             if ($this->autoCommit === false) {
  1292.                 $this->beginTransaction();
  1293.             }
  1294.         } elseif ($this->nestTransactionsWithSavepoints) {
  1295.             if ($logger !== null) {
  1296.                 $logger->startQuery('"ROLLBACK TO SAVEPOINT"');
  1297.             }
  1298.             $this->rollbackSavepoint($this->_getNestedTransactionSavePointName());
  1299.             --$this->transactionNestingLevel;
  1300.             if ($logger !== null) {
  1301.                 $logger->stopQuery();
  1302.             }
  1303.         } else {
  1304.             $this->isRollbackOnly true;
  1305.             --$this->transactionNestingLevel;
  1306.         }
  1307.         $eventManager $this->getEventManager();
  1308.         if ($eventManager->hasListeners(Events::onTransactionRollBack)) {
  1309.             Deprecation::trigger(
  1310.                 'doctrine/dbal',
  1311.                 'https://github.com/doctrine/dbal/issues/5784',
  1312.                 'Subscribing to %s events is deprecated.',
  1313.                 Events::onTransactionRollBack,
  1314.             );
  1315.             $eventManager->dispatchEvent(Events::onTransactionRollBack, new TransactionRollBackEventArgs($this));
  1316.         }
  1317.         return true;
  1318.     }
  1319.     /**
  1320.      * Creates a new savepoint.
  1321.      *
  1322.      * @param string $savepoint The name of the savepoint to create.
  1323.      *
  1324.      * @return void
  1325.      *
  1326.      * @throws Exception
  1327.      */
  1328.     public function createSavepoint($savepoint)
  1329.     {
  1330.         $platform $this->getDatabasePlatform();
  1331.         if (! $platform->supportsSavepoints()) {
  1332.             throw ConnectionException::savepointsNotSupported();
  1333.         }
  1334.         $this->executeStatement($platform->createSavePoint($savepoint));
  1335.     }
  1336.     /**
  1337.      * Releases the given savepoint.
  1338.      *
  1339.      * @param string $savepoint The name of the savepoint to release.
  1340.      *
  1341.      * @return void
  1342.      *
  1343.      * @throws Exception
  1344.      */
  1345.     public function releaseSavepoint($savepoint)
  1346.     {
  1347.         $logger $this->_config->getSQLLogger();
  1348.         $platform $this->getDatabasePlatform();
  1349.         if (! $platform->supportsSavepoints()) {
  1350.             throw ConnectionException::savepointsNotSupported();
  1351.         }
  1352.         if (! $platform->supportsReleaseSavepoints()) {
  1353.             if ($logger !== null) {
  1354.                 $logger->stopQuery();
  1355.             }
  1356.             return;
  1357.         }
  1358.         if ($logger !== null) {
  1359.             $logger->startQuery('"RELEASE SAVEPOINT"');
  1360.         }
  1361.         $this->executeStatement($platform->releaseSavePoint($savepoint));
  1362.         if ($logger === null) {
  1363.             return;
  1364.         }
  1365.         $logger->stopQuery();
  1366.     }
  1367.     /**
  1368.      * Rolls back to the given savepoint.
  1369.      *
  1370.      * @param string $savepoint The name of the savepoint to rollback to.
  1371.      *
  1372.      * @return void
  1373.      *
  1374.      * @throws Exception
  1375.      */
  1376.     public function rollbackSavepoint($savepoint)
  1377.     {
  1378.         $platform $this->getDatabasePlatform();
  1379.         if (! $platform->supportsSavepoints()) {
  1380.             throw ConnectionException::savepointsNotSupported();
  1381.         }
  1382.         $this->executeStatement($platform->rollbackSavePoint($savepoint));
  1383.     }
  1384.     /**
  1385.      * Gets the wrapped driver connection.
  1386.      *
  1387.      * @deprecated Use {@link getNativeConnection()} to access the native connection.
  1388.      *
  1389.      * @return DriverConnection
  1390.      *
  1391.      * @throws Exception
  1392.      */
  1393.     public function getWrappedConnection()
  1394.     {
  1395.         Deprecation::triggerIfCalledFromOutside(
  1396.             'doctrine/dbal',
  1397.             'https://github.com/doctrine/dbal/issues/4966',
  1398.             'Connection::getWrappedConnection() is deprecated.'
  1399.                 ' Use Connection::getNativeConnection() to access the native connection.',
  1400.         );
  1401.         $this->connect();
  1402.         assert($this->_conn !== null);
  1403.         return $this->_conn;
  1404.     }
  1405.     /** @return resource|object */
  1406.     public function getNativeConnection()
  1407.     {
  1408.         $this->connect();
  1409.         assert($this->_conn !== null);
  1410.         if (! method_exists($this->_conn'getNativeConnection')) {
  1411.             throw new LogicException(sprintf(
  1412.                 'The driver connection %s does not support accessing the native connection.',
  1413.                 get_class($this->_conn),
  1414.             ));
  1415.         }
  1416.         return $this->_conn->getNativeConnection();
  1417.     }
  1418.     /**
  1419.      * Creates a SchemaManager that can be used to inspect or change the
  1420.      * database schema through the connection.
  1421.      *
  1422.      * @throws Exception
  1423.      */
  1424.     public function createSchemaManager(): AbstractSchemaManager
  1425.     {
  1426.         return $this->_driver->getSchemaManager(
  1427.             $this,
  1428.             $this->getDatabasePlatform(),
  1429.         );
  1430.     }
  1431.     /**
  1432.      * Gets the SchemaManager that can be used to inspect or change the
  1433.      * database schema through the connection.
  1434.      *
  1435.      * @deprecated Use {@see createSchemaManager()} instead.
  1436.      *
  1437.      * @return AbstractSchemaManager
  1438.      *
  1439.      * @throws Exception
  1440.      */
  1441.     public function getSchemaManager()
  1442.     {
  1443.         Deprecation::triggerIfCalledFromOutside(
  1444.             'doctrine/dbal',
  1445.             'https://github.com/doctrine/dbal/issues/4515',
  1446.             'Connection::getSchemaManager() is deprecated, use Connection::createSchemaManager() instead.',
  1447.         );
  1448.         return $this->_schemaManager ??= $this->createSchemaManager();
  1449.     }
  1450.     /**
  1451.      * Marks the current transaction so that the only possible
  1452.      * outcome for the transaction to be rolled back.
  1453.      *
  1454.      * @return void
  1455.      *
  1456.      * @throws ConnectionException If no transaction is active.
  1457.      */
  1458.     public function setRollbackOnly()
  1459.     {
  1460.         if ($this->transactionNestingLevel === 0) {
  1461.             throw ConnectionException::noActiveTransaction();
  1462.         }
  1463.         $this->isRollbackOnly true;
  1464.     }
  1465.     /**
  1466.      * Checks whether the current transaction is marked for rollback only.
  1467.      *
  1468.      * @return bool
  1469.      *
  1470.      * @throws ConnectionException If no transaction is active.
  1471.      */
  1472.     public function isRollbackOnly()
  1473.     {
  1474.         if ($this->transactionNestingLevel === 0) {
  1475.             throw ConnectionException::noActiveTransaction();
  1476.         }
  1477.         return $this->isRollbackOnly;
  1478.     }
  1479.     /**
  1480.      * Converts a given value to its database representation according to the conversion
  1481.      * rules of a specific DBAL mapping type.
  1482.      *
  1483.      * @param mixed  $value The value to convert.
  1484.      * @param string $type  The name of the DBAL mapping type.
  1485.      *
  1486.      * @return mixed The converted value.
  1487.      *
  1488.      * @throws Exception
  1489.      */
  1490.     public function convertToDatabaseValue($value$type)
  1491.     {
  1492.         return Type::getType($type)->convertToDatabaseValue($value$this->getDatabasePlatform());
  1493.     }
  1494.     /**
  1495.      * Converts a given value to its PHP representation according to the conversion
  1496.      * rules of a specific DBAL mapping type.
  1497.      *
  1498.      * @param mixed  $value The value to convert.
  1499.      * @param string $type  The name of the DBAL mapping type.
  1500.      *
  1501.      * @return mixed The converted type.
  1502.      *
  1503.      * @throws Exception
  1504.      */
  1505.     public function convertToPHPValue($value$type)
  1506.     {
  1507.         return Type::getType($type)->convertToPHPValue($value$this->getDatabasePlatform());
  1508.     }
  1509.     /**
  1510.      * Binds a set of parameters, some or all of which are typed with a PDO binding type
  1511.      * or DBAL mapping type, to a given statement.
  1512.      *
  1513.      * @param DriverStatement                                                      $stmt   Prepared statement
  1514.      * @param list<mixed>|array<string, mixed>                                     $params Statement parameters
  1515.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types  Parameter types
  1516.      *
  1517.      * @throws Exception
  1518.      */
  1519.     private function bindParameters(DriverStatement $stmt, array $params, array $types): void
  1520.     {
  1521.         // Check whether parameters are positional or named. Mixing is not allowed.
  1522.         if (is_int(key($params))) {
  1523.             $bindIndex 1;
  1524.             foreach ($params as $key => $value) {
  1525.                 if (isset($types[$key])) {
  1526.                     $type                  $types[$key];
  1527.                     [$value$bindingType] = $this->getBindingInfo($value$type);
  1528.                 } else {
  1529.                     if (array_key_exists($key$types)) {
  1530.                         Deprecation::trigger(
  1531.                             'doctrine/dbal',
  1532.                             'https://github.com/doctrine/dbal/pull/5550',
  1533.                             'Using NULL as prepared statement parameter type is deprecated.'
  1534.                                 'Omit or use Parameter::STRING instead',
  1535.                         );
  1536.                     }
  1537.                     $bindingType ParameterType::STRING;
  1538.                 }
  1539.                 $stmt->bindValue($bindIndex$value$bindingType);
  1540.                 ++$bindIndex;
  1541.             }
  1542.         } else {
  1543.             // Named parameters
  1544.             foreach ($params as $name => $value) {
  1545.                 if (isset($types[$name])) {
  1546.                     $type                  $types[$name];
  1547.                     [$value$bindingType] = $this->getBindingInfo($value$type);
  1548.                 } else {
  1549.                     if (array_key_exists($name$types)) {
  1550.                         Deprecation::trigger(
  1551.                             'doctrine/dbal',
  1552.                             'https://github.com/doctrine/dbal/pull/5550',
  1553.                             'Using NULL as prepared statement parameter type is deprecated.'
  1554.                                 'Omit or use Parameter::STRING instead',
  1555.                         );
  1556.                     }
  1557.                     $bindingType ParameterType::STRING;
  1558.                 }
  1559.                 $stmt->bindValue($name$value$bindingType);
  1560.             }
  1561.         }
  1562.     }
  1563.     /**
  1564.      * Gets the binding type of a given type.
  1565.      *
  1566.      * @param mixed                $value The value to bind.
  1567.      * @param int|string|Type|null $type  The type to bind (PDO or DBAL).
  1568.      *
  1569.      * @return array{mixed, int} [0] => the (escaped) value, [1] => the binding type.
  1570.      *
  1571.      * @throws Exception
  1572.      */
  1573.     private function getBindingInfo($value$type): array
  1574.     {
  1575.         if (is_string($type)) {
  1576.             $type Type::getType($type);
  1577.         }
  1578.         if ($type instanceof Type) {
  1579.             $value       $type->convertToDatabaseValue($value$this->getDatabasePlatform());
  1580.             $bindingType $type->getBindingType();
  1581.         } else {
  1582.             $bindingType $type ?? ParameterType::STRING;
  1583.         }
  1584.         return [$value$bindingType];
  1585.     }
  1586.     /**
  1587.      * Creates a new instance of a SQL query builder.
  1588.      *
  1589.      * @return QueryBuilder
  1590.      */
  1591.     public function createQueryBuilder()
  1592.     {
  1593.         return new Query\QueryBuilder($this);
  1594.     }
  1595.     /**
  1596.      * @internal
  1597.      *
  1598.      * @param list<mixed>|array<string, mixed>                                     $params
  1599.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types
  1600.      */
  1601.     final public function convertExceptionDuringQuery(
  1602.         Driver\Exception $e,
  1603.         string $sql,
  1604.         array $params = [],
  1605.         array $types = []
  1606.     ): DriverException {
  1607.         return $this->handleDriverException($e, new Query($sql$params$types));
  1608.     }
  1609.     /** @internal */
  1610.     final public function convertException(Driver\Exception $e): DriverException
  1611.     {
  1612.         return $this->handleDriverException($enull);
  1613.     }
  1614.     /**
  1615.      * @param array<int, mixed>|array<string, mixed>                               $params
  1616.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types
  1617.      *
  1618.      * @return array{string, list<mixed>, array<int,Type|int|string|null>}
  1619.      */
  1620.     private function expandArrayParameters(string $sql, array $params, array $types): array
  1621.     {
  1622.         $this->parser ??= $this->getDatabasePlatform()->createSQLParser();
  1623.         $visitor        = new ExpandArrayParameters($params$types);
  1624.         $this->parser->parse($sql$visitor);
  1625.         return [
  1626.             $visitor->getSQL(),
  1627.             $visitor->getParameters(),
  1628.             $visitor->getTypes(),
  1629.         ];
  1630.     }
  1631.     /**
  1632.      * @param array<int, mixed>|array<string, mixed>                               $params
  1633.      * @param array<int, int|string|Type|null>|array<string, int|string|Type|null> $types
  1634.      */
  1635.     private function needsArrayParameterConversion(array $params, array $types): bool
  1636.     {
  1637.         if (is_string(key($params))) {
  1638.             return true;
  1639.         }
  1640.         foreach ($types as $type) {
  1641.             if (
  1642.                 $type === self::PARAM_INT_ARRAY
  1643.                 || $type === self::PARAM_STR_ARRAY
  1644.                 || $type === self::PARAM_ASCII_STR_ARRAY
  1645.             ) {
  1646.                 return true;
  1647.             }
  1648.         }
  1649.         return false;
  1650.     }
  1651.     private function handleDriverException(
  1652.         Driver\Exception $driverException,
  1653.         ?Query $query
  1654.     ): DriverException {
  1655.         $this->exceptionConverter ??= $this->_driver->getExceptionConverter();
  1656.         $exception                  $this->exceptionConverter->convert($driverException$query);
  1657.         if ($exception instanceof ConnectionLost) {
  1658.             $this->close();
  1659.         }
  1660.         return $exception;
  1661.     }
  1662.     /**
  1663.      * BC layer for a wide-spread use-case of old DBAL APIs
  1664.      *
  1665.      * @deprecated This API is deprecated and will be removed after 2022
  1666.      *
  1667.      * @param array<mixed>           $params The query parameters
  1668.      * @param array<int|string|null> $types  The parameter types
  1669.      */
  1670.     public function executeUpdate(string $sql, array $params = [], array $types = []): int
  1671.     {
  1672.         return $this->executeStatement($sql$params$types);
  1673.     }
  1674.     /**
  1675.      * BC layer for a wide-spread use-case of old DBAL APIs
  1676.      *
  1677.      * @deprecated This API is deprecated and will be removed after 2022
  1678.      */
  1679.     public function query(string $sql): Result
  1680.     {
  1681.         return $this->executeQuery($sql);
  1682.     }
  1683.     /**
  1684.      * BC layer for a wide-spread use-case of old DBAL APIs
  1685.      *
  1686.      * @deprecated This API is deprecated and will be removed after 2022
  1687.      */
  1688.     public function exec(string $sql): int
  1689.     {
  1690.         return $this->executeStatement($sql);
  1691.     }
  1692. }