Completed
Push — master ( 5febbb...ea305a )
by Alexandr
03:57
created

Processor::processQueryFields()   C

Complexity

Conditions 13
Paths 18

Size

Total Lines 57
Code Lines 36

Duplication

Lines 8
Ratio 14.04 %

Code Coverage

Tests 31
CRAP Score 13.0051

Importance

Changes 9
Bugs 1 Features 2
Metric Value
c 9
b 1
f 2
dl 8
loc 57
ccs 31
cts 32
cp 0.9688
rs 6.5962
cc 13
eloc 36
nc 18
nop 4
crap 13.0051

How to fix   Long Method    Complexity   

Long Method

Small methods make your code easier to understand, in particular if combined with a good name. Besides, if your method is small, finding a good name is usually much easier.

For example, if you find yourself adding comments to a method's body, this is usually a good sign to extract the commented part to a new method, and use the comment as a starting point when coming up with a good name for this new method.

Commonly applied refactorings include:

1
<?php
2
/*
3
* This file is a part of graphql-youshido project.
4
*
5
* @author Portey Vasil <[email protected]>
6
* @author Alexandr Viniychuk <[email protected]>
7
* created: 11/28/15 1:05 AM
8
*/
9
10
namespace Youshido\GraphQL\Execution;
11
12
use Youshido\GraphQL\Execution\Context\ExecutionContext;
13
use Youshido\GraphQL\Execution\Visitor\AbstractQueryVisitor;
14
use Youshido\GraphQL\Execution\Visitor\MaxComplexityQueryVisitor;
15
use Youshido\GraphQL\Field\AbstractField;
16
use Youshido\GraphQL\Field\Field;
17
use Youshido\GraphQL\Introspection\Field\SchemaField;
18
use Youshido\GraphQL\Introspection\Field\TypeDefinitionField;
19
use Youshido\GraphQL\Parser\Ast\Field as FieldAst;
20
use Youshido\GraphQL\Parser\Ast\Fragment;
21
use Youshido\GraphQL\Parser\Ast\FragmentInterface;
22
use Youshido\GraphQL\Parser\Ast\FragmentReference;
23
use Youshido\GraphQL\Parser\Ast\Mutation;
24
use Youshido\GraphQL\Parser\Ast\Query;
25
use Youshido\GraphQL\Parser\Ast\TypedFragmentReference;
26
use Youshido\GraphQL\Parser\Parser;
27
use Youshido\GraphQL\Schema\AbstractSchema;
28
use Youshido\GraphQL\Type\AbstractType;
29
use Youshido\GraphQL\Type\Object\AbstractObjectType;
30
use Youshido\GraphQL\Type\Scalar\AbstractScalarType;
31
use Youshido\GraphQL\Type\TypeInterface;
32
use Youshido\GraphQL\Type\TypeMap;
33
use Youshido\GraphQL\Type\TypeService;
34
use Youshido\GraphQL\Type\Union\AbstractUnionType;
35
use Youshido\GraphQL\Validator\Exception\ResolveException;
36
use Youshido\GraphQL\Validator\ResolveValidator\ResolveValidator;
37
use Youshido\GraphQL\Validator\ResolveValidator\ResolveValidatorInterface;
38
use Youshido\GraphQL\Validator\SchemaValidator\SchemaValidator;
39
40
class Processor
41
{
42
43
    const TYPE_NAME_QUERY = '__typename';
44
45
    /** @var  array */
46
    protected $data;
47
48
    /** @var ResolveValidatorInterface */
49
    protected $resolveValidator;
50
51
    /** @var ExecutionContext */
52
    protected $executionContext;
53
54
    /** @var int */
55
    protected $maxComplexity;
56
57 29
    public function __construct(AbstractSchema $schema)
58
    {
59 29
        (new SchemaValidator())->validate($schema);
60
61 28
        $this->introduceIntrospectionFields($schema);
62 28
        $this->executionContext = new ExecutionContext();
63 28
        $this->executionContext->setSchema($schema);
64
65 28
        $this->resolveValidator = new ResolveValidator($this->executionContext);
66 28
    }
67
68
69 28
    public function processPayload($payload, $variables = [], $reducers = [])
70
    {
71 28
        if ($this->executionContext->hasErrors()) {
72 7
            $this->executionContext->clearErrors();
73
        }
74
75 28
        $this->data = [];
76
77
        try {
78 28
            $this->parseAndCreateRequest($payload, $variables);
79
80 28
            $queryType    = $this->executionContext->getSchema()->getQueryType();
81 28
            $mutationType = $this->executionContext->getSchema()->getMutationType();
82
83 28
            if ($this->maxComplexity) {
84 1
                $reducers[] = new MaxComplexityQueryVisitor($this->maxComplexity);
85
            }
86
87 28
            $this->reduceQuery($queryType, $mutationType, $reducers);
88
89 28
            foreach ($this->executionContext->getRequest()->getOperationsInOrder() as $operation) {
90 28
                if ($operationResult = $this->executeOperation($operation, $operation instanceof Mutation ? $mutationType : $queryType)) {
91 28
                    $this->data = array_merge($this->data, $operationResult);
92
                };
93
            }
94
95 4
        } catch (\Exception $e) {
96 4
            $this->executionContext->addError($e);
97
        }
98
99 28
        return $this;
100
    }
101
102 28
    protected function parseAndCreateRequest($payload, $variables = [])
103
    {
104 28
        if (empty($payload)) {
105 1
            throw new \Exception('Must provide an operation.');
106
        }
107 28
        $parser = new Parser();
108
109 28
        $data = $parser->parse($payload);
110 28
        $this->executionContext->setRequest(new Request($data, $variables));
111 28
    }
112
113
    /**
114
     * @param Query|Field        $query
115
     * @param AbstractObjectType $currentLevelSchema
116
     * @return array|bool|mixed
117
     */
118 28
    protected function executeOperation(Query $query, $currentLevelSchema)
119
    {
120 28
        if (!$this->resolveValidator->objectHasField($currentLevelSchema, $query)) {
121 1
            return null;
122
        }
123
124
        /** @var AbstractField $field */
125 28
        $operationField = $currentLevelSchema->getField($query->getName());
126 28
        $alias          = $query->getAlias() ?: $query->getName();
127
128 28
        if (!$this->resolveValidator->validateArguments($operationField, $query, $this->executionContext->getRequest())) {
129 6
            return null;
130
        }
131
132 25
        return [$alias => $this->processQueryAST($query, $operationField)];
133
    }
134
135
    /**
136
     * @param Query         $query
137
     * @param AbstractField $field
138
     * @param               $contextValue
139
     * @return array|mixed|null
140
     */
141 25
    protected function processQueryAST(Query $query, AbstractField $field, $contextValue = null)
142
    {
143 25
        if (!$this->resolveValidator->validateArguments($field, $query, $this->executionContext->getRequest())) {
144
            return null;
145
        }
146
147 25
        $resolvedValue = $field->resolve($contextValue, $this->parseArgumentsValues($field, $query), $this->createResolveInfo($field, $query->getFields()));
148
149 25
        if (!$this->resolveValidator->isValidValueForField($field, $resolvedValue)) {
150 2
            return null;
151
        }
152
153 25
        return $this->collectValueForQueryWithType($query, $field->getType(), $resolvedValue);
154
    }
155
156
    /**
157
     * @param Query|Mutation $query
158
     * @param AbstractType   $fieldType
159
     * @param mixed          $resolvedValue
160
     * @return array|mixed
161
     */
162 25
    protected function collectValueForQueryWithType(Query $query, AbstractType $fieldType, $resolvedValue)
163
    {
164 25
        if (is_null($resolvedValue)) {
165 7
            return null;
166
        }
167
168 23
        $fieldType = $this->resolveValidator->resolveTypeIfAbstract($fieldType, $resolvedValue);
169 23
        $value     = [];
170
171 23
        if ($fieldType->getKind() == TypeMap::KIND_LIST) {
172 10
            if (!$this->resolveValidator->hasArrayAccess($resolvedValue)) return null;
173
174 10
            $namedType          = $fieldType->getNamedType();
175 10
            $isAbstract         = TypeService::isAbstractType($namedType);
176 10
            $validItemStructure = false;
177
178 10
            foreach ($resolvedValue as $resolvedValueItem) {
0 ignored issues
show
Bug introduced by
The expression $resolvedValue of type object|integer|double|string|array|boolean is not guaranteed to be traversable. How about adding an additional type check?

There are different options of fixing this problem.

  1. If you want to be on the safe side, you can add an additional type-check:

    $collection = json_decode($data, true);
    if ( ! is_array($collection)) {
        throw new \RuntimeException('$collection must be an array.');
    }
    
    foreach ($collection as $item) { /** ... */ }
    
  2. If you are sure that the expression is traversable, you might want to add a doc comment cast to improve IDE auto-completion and static analysis:

    /** @var array $collection */
    $collection = json_decode($data, true);
    
    foreach ($collection as $item) { /** .. */ }
    
  3. Mark the issue as a false-positive: Just hover the remove button, in the top-right corner of this issue for more options.

Loading history...
179 9
                $value[] = [];
180 9
                $index   = count($value) - 1;
181
182 9
                if ($isAbstract) {
183 2
                    $namedType = $this->resolveValidator->resolveAbstractType($fieldType->getNamedType(), $resolvedValueItem);
184
                }
185
186 9
                if (!$validItemStructure) {
187 9
                    if (!$namedType->isValidValue($resolvedValueItem)) {
188 1
                        $this->executionContext->addError(new ResolveException(sprintf('Not valid resolve value in %s field', $query->getName())));
189 1
                        $value[$index] = null;
190 1
                        continue;
191
                    }
192 8
                    $validItemStructure = true;
193
                }
194
195 10
                $value[$index] = $this->processQueryFields($query, $namedType, $resolvedValueItem, $value[$index]);
196
            }
197
        } else {
198 22
            if (!$query->hasFields()) {
199 5
                if (TypeService::isObjectType($fieldType)) {
200 1
                    throw new ResolveException(sprintf('You have to specify fields for "%s"', $query->getName()));
201
                }
202 4
                return $this->getOutputValue($fieldType, $resolvedValue);
203
            }
204
205 20
            $value = $this->processQueryFields($query, $fieldType, $resolvedValue, $value);
206
        }
207
208 21
        return $value;
209
    }
210
211
    /**
212
     * @param FieldAst      $fieldAst
213
     * @param AbstractField $field
214
     *
215
     * @param mixed         $contextValue
216
     * @return array|mixed|null
217
     * @throws ResolveException
218
     * @throws \Exception
219
     */
220 20
    protected function processFieldAST(FieldAst $fieldAst, AbstractField $field, $contextValue)
221
    {
222 20
        $value            = null;
0 ignored issues
show
Unused Code introduced by
$value 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...
223 20
        $fieldType        = $field->getType();
224 20
        $preResolvedValue = $this->getPreResolvedValue($contextValue, $fieldAst, $field);
225
226 20
        if ($fieldType->getKind() == TypeMap::KIND_LIST) {
227 1
            $listValue = [];
228 1
            $type      = $fieldType->getNamedType();
229
230 1
            foreach ($preResolvedValue as $resolvedValueItem) {
231 1
                $listValue[] = $this->getOutputValue($type, $resolvedValueItem);
232
            }
233
234 1
            $value = $listValue;
235
        } else {
236 20
            $value = $this->getOutputValue($fieldType, $preResolvedValue);
237
        }
238
239 20
        return $value;
240
    }
241
242 25
    protected function createResolveInfo($field, $fields) {
243 25
        return new ResolveInfo($field, $fields, $this->executionContext);
244
    }
245
246
    /**
247
     * @param               $contextValue
248
     * @param FieldAst      $fieldAst
249
     * @param AbstractField $field
250
     *
251
     * @throws \Exception
252
     *
253
     * @return mixed
254
     */
255 20
    protected function getPreResolvedValue($contextValue, FieldAst $fieldAst, AbstractField $field)
256
    {
257 20
        if ($field->hasArguments() && !$this->resolveValidator->validateArguments($field, $fieldAst, $this->executionContext->getRequest())) {
258
            throw new \Exception(sprintf('Not valid arguments for the field "%s"', $fieldAst->getName()));
259
260
        }
261 20
        return $field->resolve($contextValue, $fieldAst->getKeyValueArguments(), $this->createResolveInfo($field, [$fieldAst]));
262
263
    }
264
265
    /**
266
     * @param $field     AbstractField
267
     * @param $query     Query
268
     *
269
     * @return array
270
     */
271 25
    protected function parseArgumentsValues(AbstractField $field, Query $query)
272
    {
273 25
        $args = [];
274 25
        foreach ($query->getArguments() as $argument) {
275 15
            if ($configArgument = $field->getConfig()->getArgument($argument->getName())) {
276 15
                $args[$argument->getName()] = $configArgument->getType()->parseValue($argument->getValue()->getValue());
277
            }
278
        }
279
280 25
        return $args;
281
    }
282
283
    /**
284
     * @param $query         Query|FragmentInterface
285
     * @param $queryType     AbstractObjectType|TypeInterface|Field|AbstractType
286
     * @param $resolvedValue mixed
287
     * @param $value         array
288
     *
289
     * @throws \Exception
290
     *
291
     * @return array
292
     */
293 21
    protected function processQueryFields($query, AbstractType $queryType, $resolvedValue, $value)
294
    {
295 21
        $currentType = $queryType->getNullableType();
296
297 21 View Code Duplication
        if ($currentType->getKind() == TypeMap::KIND_SCALAR) {
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...
298 1
            if (!$query->hasFields()) {
299 1
                return $this->getOutputValue($currentType, $resolvedValue);
300
            } else {
301 1
                $this->executionContext->addError(new ResolveException(sprintf('Fields are not found in query "%s"', $query->getName())));
302
303 1
                return null;
304
            }
305
        }
306
307 21
        foreach ($query->getFields() as $fieldAst) {
308
309 21
            if ($fieldAst instanceof FragmentInterface) {
310
                /** @var TypedFragmentReference $fragment */
311 3
                $fragment = $fieldAst;
312 3
                if ($fieldAst instanceof FragmentReference) {
313
                    /** @var Fragment $fragment */
314 2
                    $fieldAstName = $fieldAst->getName();
315 2
                    $fragment     = $this->executionContext->getRequest()->getFragment($fieldAstName);
316 2
                    $this->resolveValidator->assertValidFragmentForField($fragment, $fieldAst, $queryType);
317 1
                } elseif ($fragment->getTypeName() !== $queryType->getName()) {
318 1
                    continue;
319
                }
320
321 3
                $fragmentValue = $this->processQueryFields($fragment, $queryType, $resolvedValue, $value);
322 3
                $value         = is_array($fragmentValue) ? $fragmentValue : [];
323
            } else {
324 21
                $fieldAstName = $fieldAst->getName();
325 21
                $alias        = $fieldAst->getAlias() ?: $fieldAstName;
326
327 21
                if ($fieldAstName == self::TYPE_NAME_QUERY) {
328 1
                    $value[$alias] = $queryType->getName();
329
                } else {
330 21
                    $field = $currentType->getField($fieldAstName);
331 21
                    if (!$field) {
332 3
                        $this->executionContext->addError(new ResolveException(sprintf('Field "%s" is not found in type "%s"', $fieldAstName, $currentType->getName())));
333
334 3
                        return null;
335
                    }
336 21
                    if ($fieldAst instanceof Query) {
337 11
                        $value[$alias] = $this->processQueryAST($fieldAst, $field, $resolvedValue);
338
                    } elseif ($fieldAst instanceof FieldAst) {
339 20
                        $value[$alias] = $this->processFieldAST($fieldAst, $field, $resolvedValue);
340
                    } else {
341 21
                        return $value;
342
                    }
343
                }
344
            }
345
346
        }
347
348 21
        return $value;
349
    }
350
351
    protected function getFieldValidatedValue(AbstractField $field, $value)
352
    {
353
        return ($this->resolveValidator->isValidValueForField($field, $value)) ? $this->getOutputValue($field->getType(), $value) : null;
354
    }
355
356 22
    protected function getOutputValue(AbstractType $type, $value)
357
    {
358 22
        return in_array($type->getKind(), [TypeMap::KIND_OBJECT, TypeMap::KIND_NON_NULL]) ? $value : $type->serialize($value);
359
    }
360
361 28
    protected function introduceIntrospectionFields(AbstractSchema $schema)
362
    {
363 28
        $schemaField = new SchemaField();
364 28
        $schema->addQueryField($schemaField);
365 28
        $schema->addQueryField(new TypeDefinitionField());
366 28
    }
367
368 28
    public function getResponseData()
369
    {
370 28
        $result = [];
371
372 28
        if (!empty($this->data)) {
373 25
            $result['data'] = $this->data;
374
        }
375
376 28
        if ($this->executionContext->hasErrors()) {
377 10
            $result['errors'] = $this->executionContext->getErrorsArray();
378
        }
379
380 28
        return $result;
381
    }
382
383
    /**
384
     * Convenience function for attaching a MaxComplexityQueryVisitor($max) to the next processor run
385
     *
386
     * @param int $max
387
     */
388 1
    public function setMaxComplexity($max)
389
    {
390 1
        $this->maxComplexity = $max;
391 1
    }
392
393
    /**
394
     * Apply all of $reducers to this query.  Example reducer operations: checking for maximum query complexity,
395
     * performing look-ahead query planning, etc.
396
     *
397
     * @param AbstractType           $queryType
398
     * @param AbstractType           $mutationType
399
     * @param AbstractQueryVisitor[] $reducers
400
     */
401 28
    protected function reduceQuery($queryType, $mutationType, array $reducers)
402
    {
403 28
        foreach ($reducers as $reducer) {
404 2
            foreach ($this->executionContext->getRequest()->getOperationsInOrder() as $operation) {
405 2
                $this->doVisit($operation, $operation instanceof Mutation ? $mutationType : $queryType, $reducer);
406
            }
407
        }
408 28
    }
409
410
    /**
411
     * Entry point for the `walkQuery` routine.  Execution bounces between here, where the reducer's ->visit() method
412
     * is invoked, and `walkQuery` where we send in the scores from the `visit` call.
413
     *
414
     * @param Query                $query
415
     * @param AbstractType         $currentLevelSchema
416
     * @param AbstractQueryVisitor $reducer
417
     */
418 2
    protected function doVisit(Query $query, $currentLevelSchema, $reducer)
419
    {
420 2
        if (!($currentLevelSchema instanceof AbstractObjectType) || !$currentLevelSchema->hasField($query->getName())) {
421
            return;
422
        }
423
424 2
        if ($operationField = $currentLevelSchema->getField($query->getName())) {
425
426 2
            $coroutine = $this->walkQuery($query, $operationField);
427
428 2
            if ($results = $coroutine->current()) {
429 2
                $queryCost = 0;
430 2
                while ($results) {
431
                    // initial values come from advancing the generator via ->current, subsequent values come from ->send()
432 2
                    list($queryField, $astField, $childCost) = $results;
433
434
                    /**
435
                     * @var Query|FieldAst $queryField
436
                     * @var Field          $astField
437
                     */
438 2
                    $cost = $reducer->visit($queryField->getKeyValueArguments(), $astField->getConfig(), $childCost);
439 2
                    $queryCost += $cost;
440 2
                    $results = $coroutine->send($cost);
441
                }
442
            }
443
        }
444 2
    }
445
446
    /**
447
     * Coroutine to walk the query and schema in DFS manner (see AbstractQueryVisitor docs for more info) and yield a
448
     * tuple of (queryNode, schemaNode, childScore)
449
     *
450
     * childScore costs are accumulated via values sent into the coroutine.
451
     *
452
     * Most of the branching in this function is just to handle the different types in a query: Queries, Unions,
453
     * Fragments (anonymous and named), and Fields.  The core of the function is simple: recurse until we hit the base
454
     * case of a Field and yield that back up to the visitor up in `doVisit`.
455
     *
456
     * @param Query|Field|FragmentInterface $queryNode
457
     * @param AbstractField                 $currentLevelAST
458
     *
459
     * @return \Generator
460
     */
461 2
    protected function walkQuery($queryNode, AbstractField $currentLevelAST)
462
    {
463 2
        $childrenScore = 0;
464 2
        if (!($queryNode instanceof FieldAst)) {
465 2
            foreach ($queryNode->getFields() as $queryField) {
0 ignored issues
show
Bug introduced by
The method getFields does only exist in Youshido\GraphQL\Field\F...raphQL\Parser\Ast\Query, but not in Youshido\GraphQL\Parser\Ast\FragmentInterface.

It seems like the method you are trying to call exists only in some of the possible types.

Let’s take a look at an example:

class A
{
    public function foo() { }
}

class B extends A
{
    public function bar() { }
}

/**
 * @param A|B $x
 */
function someFunction($x)
{
    $x->foo(); // This call is fine as the method exists in A and B.
    $x->bar(); // This method only exists in B and might cause an error.
}

Available Fixes

  1. Add an additional type-check:

    /**
     * @param A|B $x
     */
    function someFunction($x)
    {
        $x->foo();
    
        if ($x instanceof B) {
            $x->bar();
        }
    }
    
  2. Only allow a single type to be passed if the variable comes from a parameter:

    function someFunction(B $x) { /** ... */ }
    
Loading history...
466 2
                if ($queryField instanceof FragmentInterface) {
467 1
                    if ($queryField instanceof FragmentReference) {
468
                        $queryField = $this->executionContext->getRequest()->getFragment($queryField->getName());
469
                    }
470
                    // the next 7 lines are essentially equivalent to `yield from $this->walkQuery(...)` in PHP7.
471
                    // for backwards compatibility this is equivalent.
472
                    // This pattern is repeated multiple times in this function, and unfortunately cannot be extracted or
473
                    // made less verbose.
474 1
                    $gen  = $this->walkQuery($queryField, $currentLevelAST);
0 ignored issues
show
Bug introduced by
It seems like $queryField defined by $this->executionContext-...$queryField->getName()) on line 468 can also be of type null or object<Youshido\GraphQL\Parser\Ast\Fragment>; however, Youshido\GraphQL\Execution\Processor::walkQuery() does only seem to accept object<Youshido\GraphQL\...\Ast\FragmentInterface>, maybe add an additional type check?

If a method or function can return multiple different values and unless you are sure that you only can receive a single value in this context, we recommend to add an additional type check:

/**
 * @return array|string
 */
function returnsDifferentValues($x) {
    if ($x) {
        return 'foo';
    }

    return array();
}

$x = returnsDifferentValues($y);
if (is_array($x)) {
    // $x is an array.
}

If this a common case that PHP Analyzer should handle natively, please let us know by opening an issue.

Loading history...
475 1
                    $next = $gen->current();
476 1
                    while ($next) {
477 1
                        $received = (yield $next);
478 1
                        $childrenScore += (int)$received;
479 1
                        $next = $gen->send($received);
480
                    }
481
                } else {
482 2
                    $fieldType = $currentLevelAST->getType()->getNamedType();
483 2
                    if ($fieldType instanceof AbstractUnionType) {
484 1
                        foreach ($fieldType->getTypes() as $unionFieldType) {
485 1 View Code Duplication
                            if ($fieldAst = $unionFieldType->getField($queryField->getName())) {
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...
486 1
                                $gen  = $this->walkQuery($queryField, $fieldAst);
487 1
                                $next = $gen->current();
488 1
                                while ($next) {
489 1
                                    $received = (yield $next);
490 1
                                    $childrenScore += (int)$received;
491 1
                                    $next = $gen->send($received);
492
                                }
493
                            }
494
                        }
495 1 View Code Duplication
                    } elseif ($fieldType instanceof AbstractObjectType && $fieldAst = $fieldType->getField($queryField->getName())) {
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...
496 1
                        $gen  = $this->walkQuery($queryField, $fieldAst);
497 1
                        $next = $gen->current();
498 2
                        while ($next) {
499 1
                            $received = (yield $next);
500 1
                            $childrenScore += (int)$received;
501 1
                            $next = $gen->send($received);
502
                        }
503
                    }
504
                }
505
            }
506
        }
507
        // sanity check.  don't yield fragments; they don't contribute to cost
508 2
        if ($queryNode instanceof Query || $queryNode instanceof FieldAst) {
509
            // BASE CASE.  If we're here we're done recursing -
510
            // this node is either a field, or a query that we've finished recursing into.
511 2
            yield [$queryNode, $currentLevelAST, $childrenScore];
512
        }
513 2
    }
514
}
515