Failed Conditions
Pull Request — master (#1922)
by chihiro
104:05 queued 77:35
created

LimitSubqueryOutputWalker   F

Complexity

Total Complexity 66

Size/Duplication

Total Lines 562
Duplicated Lines 4.45 %

Coupling/Cohesion

Components 1
Dependencies 17

Test Coverage

Coverage 47.62%

Importance

Changes 0
Metric Value
dl 25
loc 562
ccs 90
cts 189
cp 0.4762
rs 3.1913
c 0
b 0
f 0
wmc 66
lcom 1
cbo 17

14 Methods

Rating   Name   Duplication   Size   Complexity  
A __construct() 0 16 1
B platformSupportsRowNumber() 0 10 7
B rebuildOrderByForRowNumber() 0 22 5
A walkSelectStatement() 0 7 2
B walkSelectStatementWithRowNumber() 0 47 5
B walkSelectStatementWithoutRowNumber() 0 44 4
C addMissingItemsFromOrderByToSelect() 0 49 8
B preserveSqlOrdering() 0 41 6
C rebuildOrderByClauseForOuterScope() 0 68 8
A getOrderByPathExpressions() 0 4 1
A getInnerSQL() 0 21 3
C getSQLIdentifier() 25 53 11
A walkPathExpression() 0 8 4
A walkSubSelect() 0 10 1

How to fix   Duplicated Code    Complexity   

Duplicated Code

Duplicate code is one of the most pungent code smells. A rule that is often used is to re-structure code once it is duplicated in three or more places.

Common duplication problems, and corresponding solutions are:

Complex Class

 Tip:   Before tackling complexity, make sure that you eliminate any duplication first. This often can reduce the size of classes significantly.

Complex classes like LimitSubqueryOutputWalker 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. You can also have a look at the cohesion graph to spot any un-connected, or weakly-connected components.

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 LimitSubqueryOutputWalker, and based on these observations, apply Extract Interface, too.

1
<?php
2
/**
3
 * Doctrine ORM
4
 *
5
 * LICENSE
6
 *
7
 * This source file is subject to the new BSD license that is bundled
8
 * with this package in the file LICENSE.txt.
9
 * If you did not receive a copy of the license and are unable to
10
 * obtain it through the world-wide-web, please send an email
11
 * to [email protected] so I can send you a copy immediately.
12
 */
13
14
namespace Eccube\Doctrine\ORM\Tools\Pagination;
15
16
use Doctrine\DBAL\Platforms\DB2Platform;
17
use Doctrine\DBAL\Platforms\OraclePlatform;
18
use Doctrine\DBAL\Platforms\PostgreSqlPlatform;
19
use Doctrine\DBAL\Platforms\SQLAnywherePlatform;
20
use Doctrine\DBAL\Platforms\SQLServerPlatform;
21
use Doctrine\ORM\Query\AST\ArithmeticExpression;
22
use Doctrine\ORM\Query\AST\ArithmeticFactor;
23
use Doctrine\ORM\Query\AST\ArithmeticTerm;
24
use Doctrine\ORM\Query\AST\Literal;
25
use Doctrine\ORM\Query\AST\OrderByClause;
26
use Doctrine\ORM\Query\AST\OrderByItem;
27
use Doctrine\ORM\Query\AST\PartialObjectExpression;
28
use Doctrine\ORM\Query\AST\PathExpression;
29
use Doctrine\ORM\Query\AST\SelectExpression;
30
use Doctrine\ORM\Query\AST\SimpleArithmeticExpression;
31
use Doctrine\ORM\Query\Expr\OrderBy;
32
use Doctrine\ORM\Query\Expr\Select;
33
use Doctrine\ORM\Query\SqlWalker;
34
use Doctrine\ORM\Query\AST\SelectStatement;
35
36
/**
37
 * Wraps the query in order to select root entity IDs for pagination.
38
 *
39
 * Given a DQL like `SELECT u FROM User u` it will generate an SQL query like:
40
 * SELECT DISTINCT <id> FROM (<original SQL>) LIMIT x OFFSET y
41
 *
42
 * Works with composite keys but cannot deal with queries that have multiple
43
 * root entities (e.g. `SELECT f, b from Foo, Bar`)
44
 *
45
 * @author Sander Marechal <[email protected]>
46
 */
47
class LimitSubqueryOutputWalker extends SqlWalker
48
{
49
    /**
50
     * @var \Doctrine\DBAL\Platforms\AbstractPlatform
51
     */
52
    private $platform;
0 ignored issues
show
Comprehensibility introduced by
Consider using a different property name as you override a private property of the parent class.
Loading history...
53
54
    /**
55
     * @var \Doctrine\ORM\Query\ResultSetMapping
56
     */
57
    private $rsm;
0 ignored issues
show
Comprehensibility introduced by
Consider using a different property name as you override a private property of the parent class.
Loading history...
58
59
    /**
60
     * @var array
61
     */
62
    private $queryComponents;
0 ignored issues
show
Comprehensibility introduced by
Consider using a different property name as you override a private property of the parent class.
Loading history...
63
64
    /**
65
     * @var int
66
     */
67
    private $firstResult;
68
69
    /**
70
     * @var int
71
     */
72
    private $maxResults;
73
74
    /**
75
     * @var \Doctrine\ORM\EntityManager
76
     */
77
    private $em;
0 ignored issues
show
Comprehensibility introduced by
Consider using a different property name as you override a private property of the parent class.
Loading history...
78
79
    /**
80
     * The quote strategy.
81
     *
82
     * @var \Doctrine\ORM\Mapping\QuoteStrategy
83
     */
84
    private $quoteStrategy;
0 ignored issues
show
Comprehensibility introduced by
Consider using a different property name as you override a private property of the parent class.
Loading history...
85
86
    /**
87
     * @var array
88
     */
89
    private $orderByPathExpressions = array();
90
91
    /**
92
     * @var bool We don't want to add path expressions from sub-selects into the select clause of the containing query.
93
     *           This state flag simply keeps track on whether we are walking on a subquery or not
94
     */
95
    private $inSubSelect = false;
96
97
    /**
98
     * Constructor.
99
     *
100
     * Stores various parameters that are otherwise unavailable
101
     * because Doctrine\ORM\Query\SqlWalker keeps everything private without
102
     * accessors.
103
     *
104
     * @param \Doctrine\ORM\Query              $query
105
     * @param \Doctrine\ORM\Query\ParserResult $parserResult
106
     * @param array                            $queryComponents
107
     */
108 10
    public function __construct($query, $parserResult, array $queryComponents)
109
    {
110 10
        $this->platform = $query->getEntityManager()->getConnection()->getDatabasePlatform();
111 10
        $this->rsm = $parserResult->getResultSetMapping();
112 10
        $this->queryComponents = $queryComponents;
113
114
        // Reset limit and offset
115 10
        $this->firstResult = $query->getFirstResult();
116 10
        $this->maxResults = $query->getMaxResults();
117 10
        $query->setFirstResult(null)->setMaxResults(null);
118
119 10
        $this->em               = $query->getEntityManager();
120 10
        $this->quoteStrategy    = $this->em->getConfiguration()->getQuoteStrategy();
121
122 10
        parent::__construct($query, $parserResult, $queryComponents);
123
    }
124
125
    /**
126
     * Check if the platform supports the ROW_NUMBER window function.
127
     *
128
     * @return bool
129
     */
130 10
    private function platformSupportsRowNumber()
131
    {
132 10
        return $this->platform instanceof PostgreSqlPlatform
133 10
            || $this->platform instanceof SQLServerPlatform
134 10
            || $this->platform instanceof OraclePlatform
135 10
            || $this->platform instanceof SQLAnywherePlatform
136 10
            || $this->platform instanceof DB2Platform
137
            || (method_exists($this->platform, 'supportsRowNumberFunction')
138 10
                && $this->platform->supportsRowNumberFunction());
0 ignored issues
show
Bug introduced by
The method supportsRowNumberFunction() does not seem to exist on object<Doctrine\DBAL\Platforms\AbstractPlatform>.

This check looks for calls to methods that do not seem to exist on a given type. It looks for the method on the type itself as well as in inherited classes or implemented interfaces.

This is most likely a typographical error or the method has been renamed.

Loading history...
139
    }
140
141
    /**
142
     * Rebuilds a select statement's order by clause for use in a
143
     * ROW_NUMBER() OVER() expression.
144
     *
145
     * @param SelectStatement $AST
146
     */
147 10
    private function rebuildOrderByForRowNumber(SelectStatement $AST)
148
    {
149 10
        $orderByClause = $AST->orderByClause;
150 10
        $selectAliasToExpressionMap = array();
151
        // Get any aliases that are available for select expressions.
152 10
        foreach ($AST->selectClause->selectExpressions as $selectExpression) {
153 10
            $selectAliasToExpressionMap[$selectExpression->fieldIdentificationVariable] = $selectExpression->expression;
154
        }
155
156
        // Rebuild string orderby expressions to use the select expression they're referencing
157 10
        foreach ($orderByClause->orderByItems as $orderByItem) {
158 10
            if (is_string($orderByItem->expression) && isset($selectAliasToExpressionMap[$orderByItem->expression])) {
159 10
                $orderByItem->expression = $selectAliasToExpressionMap[$orderByItem->expression];
160
            }
161
        }
162 10
        $func = new RowNumberOverFunction('dctrn_rownum');
163 10
        $func->orderByClause = $AST->orderByClause;
164 10
        $AST->selectClause->selectExpressions[] = new SelectExpression($func, 'dctrn_rownum', true);
165
166
        // No need for an order by clause, we'll order by rownum in the outer query.
167 10
        $AST->orderByClause = null;
168
    }
169
170
    /**
171
     * Walks down a SelectStatement AST node, wrapping it in a SELECT DISTINCT.
172
     *
173
     * @param SelectStatement $AST
174
     *
175
     * @return string
176
     *
177
     * @throws \RuntimeException
178
     */
179 10
    public function walkSelectStatement(SelectStatement $AST)
0 ignored issues
show
introduced by
Declare public methods first, then protected ones and finally private ones
Loading history...
180
    {
181 10
        if ($this->platformSupportsRowNumber()) {
182 10
            return $this->walkSelectStatementWithRowNumber($AST);
183
        }
184
        return $this->walkSelectStatementWithoutRowNumber($AST);
0 ignored issues
show
introduced by
Missing blank line before return statement
Loading history...
185
    }
186
187
    /**
188
     * Walks down a SelectStatement AST node, wrapping it in a SELECT DISTINCT.
189
     * This method is for use with platforms which support ROW_NUMBER.
190
     *
191
     * @param SelectStatement $AST
192
     *
193
     * @return string
194
     *
195
     * @throws \RuntimeException
196
     */
197 10
    public function walkSelectStatementWithRowNumber(SelectStatement $AST)
198
    {
199 10
        $hasOrderBy = false;
200 10
        $outerOrderBy = ' ORDER BY dctrn_minrownum ASC';
201 10
        $orderGroupBy = '';
202 10
        if ($AST->orderByClause instanceof OrderByClause) {
203 10
            $hasOrderBy = true;
204 10
            $this->rebuildOrderByForRowNumber($AST);
205
        }
206
207 10
        $innerSql = $this->getInnerSQL($AST);
208
209 10
        $sqlIdentifier = $this->getSQLIdentifier($AST);
210
211 10
        if ($hasOrderBy) {
212 10
            $orderGroupBy = ' GROUP BY ' . implode(', ', $sqlIdentifier);
0 ignored issues
show
Coding Style introduced by
Concat operator must not be surrounded by spaces
Loading history...
213 10
            $sqlIdentifier[] = 'MIN(' . $this->walkResultVariable('dctrn_rownum') . ') AS dctrn_minrownum';
0 ignored issues
show
Coding Style introduced by
Concat operator must not be surrounded by spaces
Loading history...
214
        }
215
216
        // Build the counter query
217 10
        $sql = sprintf(
218 10
            'SELECT DISTINCT %s FROM (%s) dctrn_result',
219 10
            implode(', ', $sqlIdentifier),
220
            $innerSql
221
        );
222
223 10
        if ($hasOrderBy) {
224 10
            $sql .= $orderGroupBy . $outerOrderBy;
0 ignored issues
show
Coding Style introduced by
Concat operator must not be surrounded by spaces
Loading history...
225
        }
226
227
        // Apply the limit and offset.
228 10
        $sql = $this->platform->modifyLimitQuery(
229
            $sql,
230 10
            $this->maxResults,
231 10
            $this->firstResult
232
        );
233
234
        // Add the columns to the ResultSetMapping. It's not really nice but
235
        // it works. Preferably I'd clear the RSM or simply create a new one
236
        // but that is not possible from inside the output walker, so we dirty
237
        // up the one we have.
238 10
        foreach ($sqlIdentifier as $property => $alias) {
239 10
            $this->rsm->addScalarResult($alias, $property);
240
        }
241
242 10
        return $sql;
243
    }
244
245
    /**
246
     * Walks down a SelectStatement AST node, wrapping it in a SELECT DISTINCT.
247
     * This method is for platforms which DO NOT support ROW_NUMBER.
248
     *
249
     * @param SelectStatement $AST
250
     * @param bool $addMissingItemsFromOrderByToSelect
0 ignored issues
show
introduced by
Expected 12 spaces after parameter type; 1 found
Loading history...
251
     *
252
     * @return string
253
     *
254
     * @throws \RuntimeException
255
     */
256
    public function walkSelectStatementWithoutRowNumber(SelectStatement $AST, $addMissingItemsFromOrderByToSelect = true)
257
    {
258
        // We don't want to call this recursively!
259
        if ($AST->orderByClause instanceof OrderByClause && $addMissingItemsFromOrderByToSelect) {
260
            // In the case of ordering a query by columns from joined tables, we
261
            // must add those columns to the select clause of the query BEFORE
262
            // the SQL is generated.
263
            $this->addMissingItemsFromOrderByToSelect($AST);
264
        }
265
266
        // Remove order by clause from the inner query
267
        // It will be re-appended in the outer select generated by this method
268
        $orderByClause = $AST->orderByClause;
269
        $AST->orderByClause = null;
270
271
        $innerSql = $this->getInnerSQL($AST);
272
273
        $sqlIdentifier = $this->getSQLIdentifier($AST);
274
275
        // Build the counter query
276
        $sql = sprintf('SELECT DISTINCT %s FROM (%s) dctrn_result',
277
            implode(', ', $sqlIdentifier), $innerSql);
278
279
        // http://www.doctrine-project.org/jira/browse/DDC-1958
280
        $sql = $this->preserveSqlOrdering($sqlIdentifier, $innerSql, $sql, $orderByClause);
0 ignored issues
show
Bug introduced by
It seems like $orderByClause defined by $AST->orderByClause on line 268 can be null; however, Eccube\Doctrine\ORM\Tool...::preserveSqlOrdering() does not accept null, maybe add an additional type check?

Unless you are absolutely sure that the expression can never be null because of other conditions, we strongly recommend to add an additional type check to your code:

/** @return stdClass|null */
function mayReturnNull() { }

function doesNotAcceptNull(stdClass $x) { }

// With potential error.
function withoutCheck() {
    $x = mayReturnNull();
    doesNotAcceptNull($x); // Potential error here.
}

// Safe - Alternative 1
function withCheck1() {
    $x = mayReturnNull();
    if ( ! $x instanceof stdClass) {
        throw new \LogicException('$x must be defined.');
    }
    doesNotAcceptNull($x);
}

// Safe - Alternative 2
function withCheck2() {
    $x = mayReturnNull();
    if ($x instanceof stdClass) {
        doesNotAcceptNull($x);
    }
}
Loading history...
281
282
        // Apply the limit and offset.
283
        $sql = $this->platform->modifyLimitQuery(
284
            $sql, $this->maxResults, $this->firstResult
285
        );
286
287
        // Add the columns to the ResultSetMapping. It's not really nice but
288
        // it works. Preferably I'd clear the RSM or simply create a new one
289
        // but that is not possible from inside the output walker, so we dirty
290
        // up the one we have.
291
        foreach ($sqlIdentifier as $property => $alias) {
292
            $this->rsm->addScalarResult($alias, $property);
293
        }
294
295
        // Restore orderByClause
296
        $AST->orderByClause = $orderByClause;
297
298
        return $sql;
299
    }
300
301
    /**
302
     * Finds all PathExpressions in an AST's OrderByClause, and ensures that
303
     * the referenced fields are present in the SelectClause of the passed AST.
304
     *
305
     * @param SelectStatement $AST
306
     */
307
    private function addMissingItemsFromOrderByToSelect(SelectStatement $AST)
308
    {
309
        $this->orderByPathExpressions = array();
310
311
        // We need to do this in another walker because otherwise we'll end up
312
        // polluting the state of this one.
313
        $walker = clone $this;
314
315
        // This will populate $orderByPathExpressions via
316
        // LimitSubqueryOutputWalker::walkPathExpression, which will be called
317
        // as the select statement is walked. We'll end up with an array of all
318
        // path expressions referenced in the query.
319
        $walker->walkSelectStatementWithoutRowNumber($AST, false);
320
        $orderByPathExpressions = $walker->getOrderByPathExpressions();
321
322
        // Get a map of referenced identifiers to field names.
323
        $selects = array();
324
        foreach ($orderByPathExpressions as $pathExpression) {
325
            $idVar = $pathExpression->identificationVariable;
326
            $field = $pathExpression->field;
327
            if (!isset($selects[$idVar])) {
328
                $selects[$idVar] = array();
329
            }
330
            $selects[$idVar][$field] = true;
331
        }
332
333
        // Loop the select clause of the AST and exclude items from $select
334
        // that are already being selected in the query.
335
        foreach ($AST->selectClause->selectExpressions as $selectExpression) {
336
            if ($selectExpression instanceof SelectExpression) {
337
                $idVar = $selectExpression->expression;
338
                if (!is_string($idVar)) {
339
                    continue;
340
                }
341
                $field = $selectExpression->fieldIdentificationVariable;
342
                if ($field === null) {
343
                    // No need to add this select, as we're already fetching the whole object.
344
                    unset($selects[$idVar]);
345
                } else {
346
                    unset($selects[$idVar][$field]);
347
                }
348
            }
349
        }
350
351
        // Add select items which were not excluded to the AST's select clause.
352
        foreach ($selects as $idVar => $fields) {
353
            $AST->selectClause->selectExpressions[] = new SelectExpression(new PartialObjectExpression($idVar, array_keys($fields)), null, true);
354
        }
355
    }
356
357
    /**
358
     * Generates new SQL for statements with an order by clause
359
     *
360
     * @param array           $sqlIdentifier
361
     * @param string          $innerSql
362
     * @param string          $sql
363
     * @param OrderByClause   $orderByClause
364
     *
365
     * @return string
366
     */
367
    private function preserveSqlOrdering(array $sqlIdentifier, $innerSql, $sql, $orderByClause)
368
    {
369
        // If the sql statement has an order by clause, we need to wrap it in a new select distinct
370
        // statement
371
        if (! $orderByClause instanceof OrderByClause) {
372
            return $sql;
373
        }
374
375
        // Rebuild the order by clause to work in the scope of the new select statement
376
        /* @var array $orderBy an array of rebuilt order by items */
377
        $orderBy = $this->rebuildOrderByClauseForOuterScope($orderByClause);
378
379
        $orderByFields = str_replace(array(' DESC', ' ASC'), array('', ''), $orderBy);
380
        $innerSqlIdentifier = array();
381
        foreach ($orderByFields as $k => $v) {
382
            // remove fields that are selected by identifiers,
383
            // if those are ordered by in the query
384
            if (in_array($v, $sqlIdentifier)) {
385
                unset($orderByFields[$k]);
386
            }
387
        }
388
        foreach ($sqlIdentifier as $k => $v) {
389
            $innerSqlIdentifier[$k] = 'dctrn_result_inner.' . $v;
0 ignored issues
show
Coding Style introduced by
Concat operator must not be surrounded by spaces
Loading history...
390
            $sqlIdentifier[$k] = 'dctrn_result.' . $v;
0 ignored issues
show
Coding Style introduced by
Concat operator must not be surrounded by spaces
Loading history...
391
        }
392
        // add the
393
        foreach ($orderByFields as $k => $v) {
394
            $innerSqlIdentifier[$k] = 'dctrn_result_inner.' . $v;
0 ignored issues
show
Coding Style introduced by
Concat operator must not be surrounded by spaces
Loading history...
395
        }
396
        // Build the select distinct statement
397
        $sql = sprintf(
398
            'SELECT DISTINCT %s FROM (%s) dctrn_result_inner ORDER BY %s',
399
            implode(', ', $innerSqlIdentifier),
400
            $innerSql,
401
            implode(', ', $orderBy)
402
        );
403
404
        // now only select distinct identifier
405
        $sql = sprintf('SELECT DISTINCT %s FROM (%s) dctrn_result', implode(', ', $sqlIdentifier), $sql);
406
        return $sql;
0 ignored issues
show
introduced by
Missing blank line before return statement
Loading history...
407
    }
408
409
    /**
410
     * Generates a new order by clause that works in the scope of a select query wrapping the original
411
     *
412
     * @param OrderByClause $orderByClause
413
     * @return array
414
     */
415
    private function rebuildOrderByClauseForOuterScope(OrderByClause $orderByClause)
416
    {
417
        $dqlAliasToSqlTableAliasMap
418
            = $searchPatterns
419
            = $replacements
420
            = $dqlAliasToClassMap
421
            = $selectListAdditions
0 ignored issues
show
Unused Code introduced by
$selectListAdditions is not used, you could remove the assignment.

This check looks for variable assignements that are either overwritten by other assignments or where the variable is not used subsequently.

$myVar = 'Value';
$higher = false;

if (rand(1, 6) > 3) {
    $higher = true;
} else {
    $higher = false;
}

Both the $myVar assignment in line 1 and the $higher assignment in line 2 are dead. The first because $myVar is never used and the second because $higher is always overwritten for every possible time line.

Loading history...
422
            = $orderByItems
423
            = array();
424
425
        // Generate DQL alias -> SQL table alias mapping
426
        foreach(array_keys($this->rsm->aliasMap) as $dqlAlias) {
427
            $dqlAliasToClassMap[$dqlAlias] = $class = $this->queryComponents[$dqlAlias]['metadata'];
428
            $dqlAliasToSqlTableAliasMap[$dqlAlias] = $this->getSQLTableAlias($class->getTableName(), $dqlAlias);
429
        }
430
431
        // Pattern to find table path expressions in the order by clause
432
        $fieldSearchPattern = '/(?<![a-z0-9_])%s\.%s(?![a-z0-9_])/i';
433
434
        // Generate search patterns for each field's path expression in the order by clause
435
        foreach($this->rsm->fieldMappings as $fieldAlias => $fieldName) {
436
            $dqlAliasForFieldAlias = $this->rsm->columnOwnerMap[$fieldAlias];
437
            $class = $dqlAliasToClassMap[$dqlAliasForFieldAlias];
438
439
            // If the field is from a joined child table, we won't be ordering
440
            // on it.
441
            if (!isset($class->fieldMappings[$fieldName])) {
442
                continue;
443
            }
444
445
            $fieldMapping = $class->fieldMappings[$fieldName];
446
447
            // Get the proper column name as will appear in the select list
448
            $columnName = $this->quoteStrategy->getColumnName(
449
                $fieldName,
450
                $dqlAliasToClassMap[$dqlAliasForFieldAlias],
451
                $this->em->getConnection()->getDatabasePlatform()
452
            );
453
454
            // Get the SQL table alias for the entity and field
455
            $sqlTableAliasForFieldAlias = $dqlAliasToSqlTableAliasMap[$dqlAliasForFieldAlias];
456
            if (isset($fieldMapping['declared']) && $fieldMapping['declared'] !== $class->name) {
457
                // Field was declared in a parent class, so we need to get the proper SQL table alias
458
                // for the joined parent table.
459
                $otherClassMetadata = $this->em->getClassMetadata($fieldMapping['declared']);
460
                if (!$otherClassMetadata->isMappedSuperclass) {
461
                    $sqlTableAliasForFieldAlias = $this->getSQLTableAlias($otherClassMetadata->getTableName(), $dqlAliasForFieldAlias);
462
                    
0 ignored issues
show
introduced by
Please trim any trailing whitespace
Loading history...
Coding Style introduced by
Blank line found at end of control structure
Loading history...
463
                }
464
            }
465
466
            // Compose search/replace patterns
467
            $searchPatterns[] = sprintf($fieldSearchPattern, $sqlTableAliasForFieldAlias, $columnName);
468
            $replacements[] = $fieldAlias;
469
        }
470
471
        foreach($orderByClause->orderByItems as $orderByItem) {
472
            // Walk order by item to get string representation of it
473
            $orderByItemString = $this->walkOrderByItem($orderByItem);
474
475
            // Replace path expressions in the order by clause with their column alias
476
            $orderByItemString = preg_replace($searchPatterns, $replacements, $orderByItemString);
477
478
            $orderByItems[] = $orderByItemString;
479
        }
480
481
        return $orderByItems;
482
    }
483
484
    /**
485
     * getter for $orderByPathExpressions
486
     *
487
     * @return array
488
     */
489
    public function getOrderByPathExpressions()
0 ignored issues
show
introduced by
Declare public methods first, then protected ones and finally private ones
Loading history...
490
    {
491
        return $this->orderByPathExpressions;
492
    }
493
494
    /**
495
     * @param SelectStatement $AST
496
     *
497
     * @return string
498
     *
499
     * @throws \Doctrine\ORM\OptimisticLockException
500
     * @throws \Doctrine\ORM\Query\QueryException
501
     */
502 10
    private function getInnerSQL(SelectStatement $AST)
503
    {
504
        // Set every select expression as visible(hidden = false) to
505
        // make $AST have scalar mappings properly - this is relevant for referencing selected
506
        // fields from outside the subquery, for example in the ORDER BY segment
507 10
        $hiddens = array();
508
509 10
        foreach ($AST->selectClause->selectExpressions as $idx => $expr) {
510 10
            $hiddens[$idx] = $expr->hiddenAliasResultVariable;
511 10
            $expr->hiddenAliasResultVariable = false;
512
        }
513
514 10
        $innerSql = parent::walkSelectStatement($AST);
0 ignored issues
show
Comprehensibility Bug introduced by
It seems like you call parent on a different method (walkSelectStatement() instead of getInnerSQL()). Are you sure this is correct? If so, you might want to change this to $this->walkSelectStatement().

This check looks for a call to a parent method whose name is different than the method from which it is called.

Consider the following code:

class Daddy
{
    protected function getFirstName()
    {
        return "Eidur";
    }

    protected function getSurName()
    {
        return "Gudjohnsen";
    }
}

class Son
{
    public function getFirstName()
    {
        return parent::getSurname();
    }
}

The getFirstName() method in the Son calls the wrong method in the parent class.

Loading history...
515
516
        // Restore hiddens
517 10
        foreach ($AST->selectClause->selectExpressions as $idx => $expr) {
518 10
            $expr->hiddenAliasResultVariable = $hiddens[$idx];
519
        }
520
521 10
        return $innerSql;
522
    }
523
524
    /**
525
     * @param SelectStatement $AST
526
     *
527
     * @return array
528
     */
529 10
    private function getSQLIdentifier(SelectStatement $AST)
530
    {
531
        // Find out the SQL alias of the identifier column of the root entity.
532
        // It may be possible to make this work with multiple root entities but that
533
        // would probably require issuing multiple queries or doing a UNION SELECT.
534
        // So for now, it's not supported.
535
536
        // Get the root entity and alias from the AST fromClause.
537 10
        $from = $AST->fromClause->identificationVariableDeclarations;
538 10
        if (count($from) !== 1) {
539
            throw new \RuntimeException('Cannot count query which selects two FROM components, cannot make distinction');
540
        }
541
542 10
        $fromRoot       = reset($from);
543 10
        $rootAlias      = $fromRoot->rangeVariableDeclaration->aliasIdentificationVariable;
544 10
        $rootClass      = $this->queryComponents[$rootAlias]['metadata'];
545 10
        $rootIdentifier = $rootClass->identifier;
546
547
        // For every identifier, find out the SQL alias by combing through the ResultSetMapping
548 10
        $sqlIdentifier = array();
549 10 View Code Duplication
        foreach ($rootIdentifier as $property) {
0 ignored issues
show
Duplication introduced by
This code seems to be duplicated across your project.

Duplicated code is one of the most pungent code smells. If you need to duplicate the same code in three or more different places, we strongly encourage you to look into extracting the code into a single class or operation.

You can also find more detailed suggestions in the “Code” section of your repository.

Loading history...
550 10
            if (isset($rootClass->fieldMappings[$property])) {
551 10
                foreach (array_keys($this->rsm->fieldMappings, $property) as $alias) {
552 10
                    if ($this->rsm->columnOwnerMap[$alias] == $rootAlias) {
553 10
                        $sqlIdentifier[$property] = $alias;
554
                    }
555
                }
556
            }
557
558 10
            if (isset($rootClass->associationMappings[$property])) {
559
                $joinColumn = $rootClass->associationMappings[$property]['joinColumns'][0]['name'];
560
561
                foreach (array_keys($this->rsm->metaMappings, $joinColumn) as $alias) {
562
                    if ($this->rsm->columnOwnerMap[$alias] == $rootAlias) {
563 10
                        $sqlIdentifier[$property] = $alias;
564
                    }
565
                }
566
            }
567
        }
568
569 10
        if (count($sqlIdentifier) === 0) {
570
            throw new \RuntimeException('The Paginator does not support Queries which only yield ScalarResults.');
571
        }
572
573 10 View Code Duplication
        if (count($rootIdentifier) != count($sqlIdentifier)) {
0 ignored issues
show
Duplication introduced by
This code seems to be duplicated across your project.

Duplicated code is one of the most pungent code smells. If you need to duplicate the same code in three or more different places, we strongly encourage you to look into extracting the code into a single class or operation.

You can also find more detailed suggestions in the “Code” section of your repository.

Loading history...
574
            throw new \RuntimeException(sprintf(
575
                'Not all identifier properties can be found in the ResultSetMapping: %s',
576
                implode(', ', array_diff($rootIdentifier, array_keys($sqlIdentifier)))
577
            ));
578
        }
579
580 10
        return $sqlIdentifier;
581
    }
582
583
    /**
584
     * {@inheritdoc}
585
     */
586 10
    public function walkPathExpression($pathExpr)
0 ignored issues
show
introduced by
Declare public methods first, then protected ones and finally private ones
Loading history...
587
    {
588 10
        if (!$this->inSubSelect && !$this->platformSupportsRowNumber() && !in_array($pathExpr, $this->orderByPathExpressions)) {
589
            $this->orderByPathExpressions[] = $pathExpr;
590
        }
591
592 10
        return parent::walkPathExpression($pathExpr);
593
    }
594
595
    /**
596
     * {@inheritdoc}
597
     */
598 1
    public function walkSubSelect($subselect)
599
    {
600 1
        $this->inSubSelect = true;
601
602 1
        $sql = parent::walkSubselect($subselect);
603
604 1
        $this->inSubSelect = false;
605
606 1
        return $sql;
607
    }
608
}
609