Passed
Push — homepage ( 896391 )
by Michael
27:37
created

DriverManager   B

Complexity

Total Complexity 44

Size/Duplication

Total Lines 404
Duplicated Lines 0 %

Test Coverage

Coverage 93.88%

Importance

Changes 0
Metric Value
wmc 44
eloc 109
dl 0
loc 404
ccs 92
cts 98
cp 0.9388
rs 8.8798
c 0
b 0
f 0

11 Methods

Rating   Name   Duplication   Size   Complexity  
A __construct() 0 2 1
A parseSqliteDatabaseUrlPath() 0 11 2
A getAvailableDrivers() 0 3 1
B parseDatabaseUrl() 0 39 7
A parseDatabaseUrlQuery() 0 11 2
A parseDatabaseUrlPath() 0 19 4
B _checkParams() 0 18 7
A normalizeDatabaseUrlPath() 0 4 1
A parseDatabaseUrlScheme() 0 26 4
F getConnection() 0 61 14
A parseRegularDatabaseUrlPath() 0 5 1

How to fix   Complexity   

Complex Class

Complex classes like DriverManager often do a lot of different things. To break such a class down, we need to identify a cohesive component within that class. A common approach to find such a component is to look for fields/methods that share the same prefixes, or suffixes.

Once you have determined the fields that belong together, you can apply the Extract Class refactoring. If the component makes sense as a sub-class, Extract Subclass is also a candidate, and is often faster.

While breaking up the class, it is a good idea to analyze how other classes use DriverManager, and based on these observations, apply Extract Interface, too.

1
<?php
2
/*
3
 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
4
 * "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
5
 * LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
6
 * A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
7
 * OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
8
 * SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
9
 * LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
10
 * DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
11
 * THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
12
 * (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
13
 * OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
14
 *
15
 * This software consists of voluntary contributions made by many individuals
16
 * and is licensed under the MIT license. For more information, see
17
 * <http://www.doctrine-project.org>.
18
 */
19
20
namespace Doctrine\DBAL;
21
22
use Doctrine\Common\EventManager;
23
use function array_keys;
24
use function array_map;
25
use function array_merge;
26
use function class_implements;
27
use function in_array;
28
use function is_subclass_of;
29
use function parse_str;
30
use function parse_url;
31
use function preg_replace;
32
use function str_replace;
33
use function strpos;
34
use function substr;
35
36
/**
37
 * Factory for creating Doctrine\DBAL\Connection instances.
38
 *
39
 * @author Roman Borschel <[email protected]>
40
 * @since 2.0
41
 */
42
final class DriverManager
43
{
44
    /**
45
     * List of supported drivers and their mappings to the driver classes.
46
     *
47
     * To add your own driver use the 'driverClass' parameter to
48
     * {@link DriverManager::getConnection()}.
49
     *
50
     * @var array
51
     */
52
     private static $_driverMap = [
53
         'pdo_mysql'          => 'Doctrine\DBAL\Driver\PDOMySql\Driver',
54
         'pdo_sqlite'         => 'Doctrine\DBAL\Driver\PDOSqlite\Driver',
55
         'pdo_pgsql'          => 'Doctrine\DBAL\Driver\PDOPgSql\Driver',
56
         'pdo_oci'            => 'Doctrine\DBAL\Driver\PDOOracle\Driver',
57
         'oci8'               => 'Doctrine\DBAL\Driver\OCI8\Driver',
58
         'ibm_db2'            => 'Doctrine\DBAL\Driver\IBMDB2\DB2Driver',
59
         'pdo_sqlsrv'         => 'Doctrine\DBAL\Driver\PDOSqlsrv\Driver',
60
         'mysqli'             => 'Doctrine\DBAL\Driver\Mysqli\Driver',
61
         'drizzle_pdo_mysql'  => 'Doctrine\DBAL\Driver\DrizzlePDOMySql\Driver',
62
         'sqlanywhere'        => 'Doctrine\DBAL\Driver\SQLAnywhere\Driver',
63
         'sqlsrv'             => 'Doctrine\DBAL\Driver\SQLSrv\Driver',
64
    ];
65
66
    /**
67
     * List of URL schemes from a database URL and their mappings to driver.
68
     */
69
    private static $driverSchemeAliases = [
70
        'db2'        => 'ibm_db2',
71
        'mssql'      => 'pdo_sqlsrv',
72
        'mysql'      => 'pdo_mysql',
73
        'mysql2'     => 'pdo_mysql', // Amazon RDS, for some weird reason
74
        'postgres'   => 'pdo_pgsql',
75
        'postgresql' => 'pdo_pgsql',
76
        'pgsql'      => 'pdo_pgsql',
77
        'sqlite'     => 'pdo_sqlite',
78
        'sqlite3'    => 'pdo_sqlite',
79
    ];
80
81
    /**
82
     * Private constructor. This class cannot be instantiated.
83
     */
84
    private function __construct()
85
    {
86
    }
87
88
    /**
89
     * Creates a connection object based on the specified parameters.
90
     * This method returns a Doctrine\DBAL\Connection which wraps the underlying
91
     * driver connection.
92
     *
93
     * $params must contain at least one of the following.
94
     *
95
     * Either 'driver' with one of the following values:
96
     *
97
     *     pdo_mysql
98
     *     pdo_sqlite
99
     *     pdo_pgsql
100
     *     pdo_oci (unstable)
101
     *     pdo_sqlsrv
102
     *     pdo_sqlsrv
103
     *     mysqli
104
     *     sqlanywhere
105
     *     sqlsrv
106
     *     ibm_db2 (unstable)
107
     *     drizzle_pdo_mysql
108
     *
109
     * OR 'driverClass' that contains the full class name (with namespace) of the
110
     * driver class to instantiate.
111
     *
112
     * Other (optional) parameters:
113
     *
114
     * <b>user (string)</b>:
115
     * The username to use when connecting.
116
     *
117
     * <b>password (string)</b>:
118
     * The password to use when connecting.
119
     *
120
     * <b>driverOptions (array)</b>:
121
     * Any additional driver-specific options for the driver. These are just passed
122
     * through to the driver.
123
     *
124
     * <b>pdo</b>:
125
     * You can pass an existing PDO instance through this parameter. The PDO
126
     * instance will be wrapped in a Doctrine\DBAL\Connection.
127
     *
128
     * <b>wrapperClass</b>:
129
     * You may specify a custom wrapper class through the 'wrapperClass'
130
     * parameter but this class MUST inherit from Doctrine\DBAL\Connection.
131
     *
132
     * <b>driverClass</b>:
133
     * The driver class to use.
134
     *
135
     * @param array                              $params       The parameters.
136
     * @param \Doctrine\DBAL\Configuration|null  $config       The configuration to use.
137
     * @param \Doctrine\Common\EventManager|null $eventManager The event manager to use.
138
     *
139
     * @return \Doctrine\DBAL\Connection
140
     *
141
     * @throws \Doctrine\DBAL\DBALException
142
     */
143 2425
    public static function getConnection(
144
            array $params,
145
            Configuration $config = null,
146
            EventManager $eventManager = null): Connection
147
    {
148
        // create default config and event manager, if not set
149 2425
        if ( ! $config) {
150 2296
            $config = new Configuration();
151
        }
152 2425
        if ( ! $eventManager) {
153 2296
            $eventManager = new EventManager();
154
        }
155
156 2425
        $params = self::parseDatabaseUrl($params);
157
158
        // URL support for MasterSlaveConnection
159 2374
        if (isset($params['master'])) {
160 73
            $params['master'] = self::parseDatabaseUrl($params['master']);
161
        }
162
163 2374
        if (isset($params['slaves'])) {
164 73
            foreach ($params['slaves'] as $key => $slaveParams) {
165 73
                $params['slaves'][$key] = self::parseDatabaseUrl($slaveParams);
166
            }
167
        }
168
169
        // URL support for PoolingShardConnection
170 2374
        if (isset($params['global'])) {
171 255
            $params['global'] = self::parseDatabaseUrl($params['global']);
172
        }
173
174 2374
        if (isset($params['shards'])) {
175 255
            foreach ($params['shards'] as $key => $shardParams) {
176 255
                $params['shards'][$key] = self::parseDatabaseUrl($shardParams);
177
            }
178
        }
179
180
        // check for existing pdo object
181 2374
        if (isset($params['pdo']) && ! $params['pdo'] instanceof \PDO) {
182 17
            throw DBALException::invalidPdoInstance();
183 2357
        } elseif (isset($params['pdo'])) {
184 85
            $params['pdo']->setAttribute(\PDO::ATTR_ERRMODE, \PDO::ERRMODE_EXCEPTION);
185 85
            $params['driver'] = 'pdo_' . $params['pdo']->getAttribute(\PDO::ATTR_DRIVER_NAME);
186
        } else {
187 2272
            self::_checkParams($params);
188
        }
189
190 2306
        $className = $params['driverClass'] ?? self::$_driverMap[$params['driver']];
191
192 2306
        $driver = new $className();
193
194 2306
        $wrapperClass = 'Doctrine\DBAL\Connection';
195 2306
        if (isset($params['wrapperClass'])) {
196 464
            if (is_subclass_of($params['wrapperClass'], $wrapperClass)) {
197 447
               $wrapperClass = $params['wrapperClass'];
198
            } else {
199 17
                throw DBALException::invalidWrapperClass($params['wrapperClass']);
200
            }
201
        }
202
203 2289
        return new $wrapperClass($params, $driver, $config, $eventManager);
204
    }
205
206
    /**
207
     * Returns the list of supported drivers.
208
     *
209
     * @return array
210
     */
211
    public static function getAvailableDrivers(): array
212
    {
213
        return array_keys(self::$_driverMap);
214
    }
215
216
    /**
217
     * Checks the list of parameters.
218
     *
219
     * @param array $params The list of parameters.
220
     *
221
     * @return void
222
     *
223
     * @throws \Doctrine\DBAL\DBALException
224
     */
225 2272
    private static function _checkParams(array $params): void
226
    {
227
        // check existence of mandatory parameters
228
229
        // driver
230 2272
        if ( ! isset($params['driver']) && ! isset($params['driverClass'])) {
231 17
            throw DBALException::driverRequired();
232
        }
233
234
        // check validity of parameters
235
236
        // driver
237 2255
        if (isset($params['driver']) && ! isset(self::$_driverMap[$params['driver']])) {
238 17
            throw DBALException::unknownDriver($params['driver'], array_keys(self::$_driverMap));
239
        }
240
241 2238
        if (isset($params['driverClass']) && ! in_array('Doctrine\DBAL\Driver', class_implements($params['driverClass'], true))) {
242 17
            throw DBALException::invalidDriverClass($params['driverClass']);
243
        }
244 2221
    }
245
246
    /**
247
     * Normalizes the given connection URL path.
248
     *
249
     * @param string $urlPath
250
     *
251
     * @return string The normalized connection URL path
252
     */
253 459
    private static function normalizeDatabaseUrlPath(string $urlPath): string
254
    {
255
        // Trim leading slash from URL path.
256 459
        return substr($urlPath, 1);
257
    }
258
259
    /**
260
     * Extracts parts from a database URL, if present, and returns an
261
     * updated list of parameters.
262
     *
263
     * @param array $params The list of parameters.
264
     *
265
     * @return array A modified list of parameters with info from a database
266
     *               URL extracted into indidivual parameter parts.
267
     *
268
     * @throws DBALException
269
     */
270 2425
    private static function parseDatabaseUrl(array $params): array
271
    {
272 2425
        if (!isset($params['url'])) {
273 1949
            return $params;
274
        }
275
276
        // (pdo_)?sqlite3?:///... => (pdo_)?sqlite3?://localhost/... or else the URL will be invalid
277 510
        $url = preg_replace('#^((?:pdo_)?sqlite3?):///#', '$1://localhost/', $params['url']);
278 510
        $url = parse_url($url);
0 ignored issues
show
Bug introduced by
$url of type array is incompatible with the type string expected by parameter $url of parse_url(). ( Ignorable by Annotation )

If this is a false-positive, you can also ignore this issue in your code via the ignore-type  annotation

278
        $url = parse_url(/** @scrutinizer ignore-type */ $url);
Loading history...
279
280 510
        if ($url === false) {
281
            throw new DBALException('Malformed parameter "url".');
282
        }
283
284 510
        $url = array_map('rawurldecode', $url);
285
286
        // If we have a connection URL, we have to unset the default PDO instance connection parameter (if any)
287
        // as we cannot merge connection details from the URL into the PDO instance (URL takes precedence).
288 510
        unset($params['pdo']);
289
290 510
        $params = self::parseDatabaseUrlScheme($url, $params);
291
292 459
        if (isset($url['host'])) {
293 459
            $params['host'] = $url['host'];
294
        }
295 459
        if (isset($url['port'])) {
296 51
            $params['port'] = $url['port'];
297
        }
298 459
        if (isset($url['user'])) {
299 357
            $params['user'] = $url['user'];
300
        }
301 459
        if (isset($url['pass'])) {
302 357
            $params['password'] = $url['pass'];
303
        }
304
305 459
        $params = self::parseDatabaseUrlPath($url, $params);
306 459
        $params = self::parseDatabaseUrlQuery($url, $params);
307
308 459
        return $params;
309
    }
310
311
    /**
312
     * Parses the given connection URL and resolves the given connection parameters.
313
     *
314
     * Assumes that the connection URL scheme is already parsed and resolved into the given connection parameters
315
     * via {@link parseDatabaseUrlScheme}.
316
     *
317
     * @param array $url    The URL parts to evaluate.
318
     * @param array $params The connection parameters to resolve.
319
     *
320
     * @return array The resolved connection parameters.
321
     *
322
     * @see parseDatabaseUrlScheme
323
     */
324 459
    private static function parseDatabaseUrlPath(array $url, array $params): array
325
    {
326 459
        if (! isset($url['path'])) {
327
            return $params;
328
        }
329
330 459
        $url['path'] = self::normalizeDatabaseUrlPath($url['path']);
331
332
        // If we do not have a known DBAL driver, we do not know any connection URL path semantics to evaluate
333
        // and therefore treat the path as regular DBAL connection URL path.
334 459
        if (! isset($params['driver'])) {
335 17
            return self::parseRegularDatabaseUrlPath($url, $params);
336
        }
337
338 442
        if (strpos($params['driver'], 'sqlite') !== false) {
339 102
            return self::parseSqliteDatabaseUrlPath($url, $params);
340
        }
341
342 340
        return self::parseRegularDatabaseUrlPath($url, $params);
343
    }
344
345
    /**
346
     * Parses the query part of the given connection URL and resolves the given connection parameters.
347
     *
348
     * @param array $url    The connection URL parts to evaluate.
349
     * @param array $params The connection parameters to resolve.
350
     *
351
     * @return array The resolved connection parameters.
352
     */
353 459
    private static function parseDatabaseUrlQuery(array $url, array $params): array
354
    {
355 459
        if (! isset($url['query'])) {
356 442
            return $params;
357
        }
358
359 17
        $query = [];
360
361 17
        parse_str($url['query'], $query); // simply ingest query as extra params, e.g. charset or sslmode
362
363 17
        return array_merge($params, $query); // parse_str wipes existing array elements
364
    }
365
366
    /**
367
     * Parses the given regular connection URL and resolves the given connection parameters.
368
     *
369
     * Assumes that the "path" URL part is already normalized via {@link normalizeDatabaseUrlPath}.
370
     *
371
     * @param array $url    The regular connection URL parts to evaluate.
372
     * @param array $params The connection parameters to resolve.
373
     *
374
     * @return array The resolved connection parameters.
375
     *
376
     * @see normalizeDatabaseUrlPath
377
     */
378 357
    private static function parseRegularDatabaseUrlPath(array $url, array $params): array
379
    {
380 357
        $params['dbname'] = $url['path'];
381
382 357
        return $params;
383
    }
384
385
    /**
386
     * Parses the given SQLite connection URL and resolves the given connection parameters.
387
     *
388
     * Assumes that the "path" URL part is already normalized via {@link normalizeDatabaseUrlPath}.
389
     *
390
     * @param array $url    The SQLite connection URL parts to evaluate.
391
     * @param array $params The connection parameters to resolve.
392
     *
393
     * @return array The resolved connection parameters.
394
     *
395
     * @see normalizeDatabaseUrlPath
396
     */
397 102
    private static function parseSqliteDatabaseUrlPath(array $url, array $params): array
398
    {
399 102
        if ($url['path'] === ':memory:') {
400 34
            $params['memory'] = true;
401
402 34
            return $params;
403
        }
404
405 68
        $params['path'] = $url['path']; // pdo_sqlite driver uses 'path' instead of 'dbname' key
406
407 68
        return $params;
408
    }
409
410
    /**
411
     * Parses the scheme part from given connection URL and resolves the given connection parameters.
412
     *
413
     * @param array $url    The connection URL parts to evaluate.
414
     * @param array $params The connection parameters to resolve.
415
     *
416
     * @return array The resolved connection parameters.
417
     *
418
     * @throws DBALException if parsing failed or resolution is not possible.
419
     */
420 510
    private static function parseDatabaseUrlScheme(array $url, array $params): array
421
    {
422 510
        if (isset($url['scheme'])) {
423
            // The requested driver from the URL scheme takes precedence
424
            // over the default custom driver from the connection parameters (if any).
425 391
            unset($params['driverClass']);
426
427
            // URL schemes must not contain underscores, but dashes are ok
428 391
            $driver = str_replace('-', '_', $url['scheme']);
429
430
            // The requested driver from the URL scheme takes precedence over the
431
            // default driver from the connection parameters. If the driver is
432
            // an alias (e.g. "postgres"), map it to the actual name ("pdo-pgsql").
433
            // Otherwise, let checkParams decide later if the driver exists.
434 391
            $params['driver'] = self::$driverSchemeAliases[$driver] ?? $driver;
435
436 391
            return $params;
437
        }
438
439
        // If a schemeless connection URL is given, we require a default driver or default custom driver
440
        // as connection parameter.
441 119
        if (! isset($params['driverClass']) && ! isset($params['driver'])) {
442 51
            throw DBALException::driverRequired($params['url']);
443
        }
444
445 68
        return $params;
446
    }
447
}
448