Passed
Pull Request — master (#364)
by
unknown
02:48
created

Nested   B

Complexity

Total Complexity 44

Size/Duplication

Total Lines 283
Duplicated Lines 0 %

Test Coverage

Coverage 79.41%

Importance

Changes 8
Bugs 2 Features 0
Metric Value
wmc 44
eloc 112
c 8
b 2
f 0
dl 0
loc 283
ccs 81
cts 102
cp 0.7941
rs 8.8798

12 Methods

Rating   Name   Duplication   Size   Complexity  
A getRequirePropertyPath() 0 3 1
A getRules() 0 3 1
A getNoPropertyPathMessage() 0 3 1
A getPropertyVisibility() 0 3 1
A getName() 0 3 1
A getOptions() 0 17 2
A ensureArrayHasRules() 0 16 5
A __construct() 0 33 1
B propagateOptions() 0 38 10
A getHandlerClassName() 0 3 1
C normalizeRules() 0 69 12
B prepareRules() 0 28 8

How to fix   Complexity   

Complex Class

Complex classes like Nested 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 Nested, and based on these observations, apply Extract Interface, too.

1
<?php
2
3
declare(strict_types=1);
4
5
namespace Yiisoft\Validator\Rule;
6
7
use Attribute;
8
use Closure;
9
use InvalidArgumentException;
10
use JetBrains\PhpStorm\ArrayShape;
11
use ReflectionProperty;
12
use Traversable;
13
use Yiisoft\Strings\StringHelper;
14
use Yiisoft\Validator\PropagateOptionsInterface;
15
use Yiisoft\Validator\Rule\Trait\SkipOnEmptyTrait;
16
use Yiisoft\Validator\Rule\Trait\SkipOnErrorTrait;
17
use Yiisoft\Validator\Rule\Trait\WhenTrait;
18
use Yiisoft\Validator\RuleInterface;
19
use Yiisoft\Validator\RulesDumper;
20
use Yiisoft\Validator\RulesProvider\AttributesRulesProvider;
21
use Yiisoft\Validator\RulesProviderInterface;
22
use Yiisoft\Validator\SerializableRuleInterface;
23
use Yiisoft\Validator\SkipOnEmptyInterface;
24
use Yiisoft\Validator\SkipOnErrorInterface;
25
use Yiisoft\Validator\ValidationContext;
26
use Yiisoft\Validator\WhenInterface;
27
28
use function array_pop;
29
use function count;
0 ignored issues
show
Bug introduced by
This use statement conflicts with another class in this namespace, Yiisoft\Validator\Rule\count. Consider defining an alias.

Let?s assume that you have a directory layout like this:

.
|-- OtherDir
|   |-- Bar.php
|   `-- Foo.php
`-- SomeDir
    `-- Foo.php

and let?s assume the following content of Bar.php:

// Bar.php
namespace OtherDir;

use SomeDir\Foo; // This now conflicts the class OtherDir\Foo

If both files OtherDir/Foo.php and SomeDir/Foo.php are loaded in the same runtime, you will see a PHP error such as the following:

PHP Fatal error:  Cannot use SomeDir\Foo as Foo because the name is already in use in OtherDir/Foo.php

However, as OtherDir/Foo.php does not necessarily have to be loaded and the error is only triggered if it is loaded before OtherDir/Bar.php, this problem might go unnoticed for a while. In order to prevent this error from surfacing, you must import the namespace with a different alias:

// Bar.php
namespace OtherDir;

use SomeDir\Foo as SomeDirFoo; // There is no conflict anymore.
Loading history...
30
use function implode;
31
use function is_array;
32
use function is_int;
33
use function is_string;
34
use function ltrim;
35
use function rtrim;
36
use function sprintf;
37
38
/**
39
 * Can be used for validation of nested structures.
40
 */
41
#[Attribute(Attribute::TARGET_PROPERTY | Attribute::IS_REPEATABLE)]
42
final class Nested implements
43
    SerializableRuleInterface,
44
    SkipOnErrorInterface,
45
    WhenInterface,
46
    SkipOnEmptyInterface,
47
    PropagateOptionsInterface
48
{
49
    use SkipOnEmptyTrait;
50
    use SkipOnErrorTrait;
51
    use WhenTrait;
52
53
    private const SEPARATOR = '.';
54
    private const EACH_SHORTCUT = '*';
55
56
    /**
57
     * @var null|iterable<Closure|Closure[]|RuleInterface|RuleInterface[]>
58
     */
59
    private ?iterable $rules;
60
61
    /**
62
     * @param null|RulesProviderInterface|class-string|object|iterable<Closure|Closure[]|RuleInterface|RuleInterface[]> $rules
0 ignored issues
show
Documentation Bug introduced by
The doc comment null|RulesProviderInterf...erface|RuleInterface[]> at position 4 could not be parsed: Unknown type name 'class-string' at position 4 in null|RulesProviderInterface|class-string|object|iterable<Closure|Closure[]|RuleInterface|RuleInterface[]>.
Loading history...
63
     *
64
     * Rules for validate value that can be described by:
65
     * - object that implement {@see RulesProviderInterface};
66
     * - name of class from whose attributes their will be derived;
67
     * - array or object implementing the `Traversable` interface that contain {@see RuleInterface} implementations
68
     *   or closures.
69
     *
70
     * `$rules` can be null if validatable value is object. In this case rules will be derived from object via
71
     * `getRules()` method if object implement {@see RulesProviderInterface} or from attributes otherwise.
72
     */
73 23
    public function __construct(
74
        iterable|object|string|null $rules = null,
75
76
        /**
77
         * @var int What visibility levels to use when reading data and rules from validated object.
78
         */
79
        private int $propertyVisibility = ReflectionProperty::IS_PRIVATE
80
        | ReflectionProperty::IS_PROTECTED
81
        | ReflectionProperty::IS_PUBLIC,
82
        /**
83
         * @var int What visibility levels to use when reading rules from the class specified in {@see $rules}
84
         * attribute.
85
         */
86
        private int $rulesPropertyVisibility = ReflectionProperty::IS_PRIVATE
87
        | ReflectionProperty::IS_PROTECTED
88
        | ReflectionProperty::IS_PUBLIC,
89
        private bool $requirePropertyPath = false,
90
        private string $noPropertyPathMessage = 'Property path "{path}" is not found.',
91
        private bool $normalizeRules = true,
92
        private bool $propagateOptions = false,
93
94
        /**
95
         * @var bool|callable|null
96
         */
97
        private $skipOnEmpty = null,
98
        private bool $skipOnError = false,
99
100
        /**
101
         * @var Closure(mixed, ValidationContext):bool|null
102
         */
103
        private ?Closure $when = null,
104
    ) {
105 23
        $this->prepareRules($rules);
106
    }
107
108 2
    public function getName(): string
109
    {
110 2
        return 'nested';
111
    }
112
113
    /**
114
     * @return iterable<Closure|Closure[]|RuleInterface|RuleInterface[]>|null
115
     */
116 40
    public function getRules(): ?iterable
117
    {
118 40
        return $this->rules;
119
    }
120
121 8
    public function getPropertyVisibility(): int
122
    {
123 8
        return $this->propertyVisibility;
124
    }
125
126 34
    public function getRequirePropertyPath(): bool
127
    {
128 34
        return $this->requirePropertyPath;
129
    }
130
131 10
    public function getNoPropertyPathMessage(): string
132
    {
133 10
        return $this->noPropertyPathMessage;
134
    }
135
136
    /**
137
     * @param class-string|iterable<Closure|Closure[]|RuleInterface|RuleInterface[]>|object|RulesProviderInterface|null $source
0 ignored issues
show
Documentation Bug introduced by
The doc comment class-string|iterable<Cl...sProviderInterface|null at position 0 could not be parsed: Unknown type name 'class-string' at position 0 in class-string|iterable<Closure|Closure[]|RuleInterface|RuleInterface[]>|object|RulesProviderInterface|null.
Loading history...
138
     */
139 23
    private function prepareRules(iterable|object|string|null $source): void
140
    {
141 23
        if ($source === null) {
142 14
            $this->rules = null;
143
144 14
            return;
145
        }
146
147 9
        if ($source instanceof RulesProviderInterface) {
148 1
            $rules = $source->getRules();
149 8
        } elseif (!$source instanceof Traversable && !is_array($source)) {
150 4
            $rules = (new AttributesRulesProvider($source, $this->rulesPropertyVisibility))->getRules();
0 ignored issues
show
Bug introduced by
It seems like $source can also be of type iterable; however, parameter $source of Yiisoft\Validator\RulesP...Provider::__construct() does only seem to accept object|string, maybe add an additional type check? ( Ignorable by Annotation )

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

150
            $rules = (new AttributesRulesProvider(/** @scrutinizer ignore-type */ $source, $this->rulesPropertyVisibility))->getRules();
Loading history...
151
        } else {
152 4
            $rules = $source;
153
        }
154
155 9
        $rules = $rules instanceof Traversable ? iterator_to_array($rules) : $rules;
156 9
        self::ensureArrayHasRules($rules);
157
158
        /** @var iterable<RuleInterface> $rules */
159 8
        $this->rules = $rules;
160
161 8
        if ($this->normalizeRules) {
162 8
            $this->normalizeRules();
163
        }
164
165 7
        if ($this->propagateOptions) {
166 1
            $this->propagateOptions();
167
        }
168
    }
169
170 9
    private static function ensureArrayHasRules(iterable &$rules): void
171
    {
172 9
        $rules = $rules instanceof Traversable ? iterator_to_array($rules) : $rules;
173
174 9
        foreach ($rules as &$rule) {
175 8
            if (is_iterable($rule)) {
176 6
                self::ensureArrayHasRules($rule);
177 6
                continue;
178
            }
179 8
            if (!$rule instanceof RuleInterface) {
180 1
                $message = sprintf(
181
                    'Each rule should be an instance of %s, %s given.',
182
                    RuleInterface::class,
183 1
                    get_debug_type($rule)
184
                );
185 1
                throw new InvalidArgumentException($message);
186
            }
187
        }
188
    }
189
190 8
    private function normalizeRules(): void
191
    {
192 8
        if ($this->rules === null) {
193
            return;
194
        }
195
196
        /** @var iterable<RuleInterface> $rules */
197 8
        $rules = $this->rules;
198 8
        if ($rules instanceof Traversable) {
199
            $rules = iterator_to_array($rules);
200
        }
201
202 8
        while (true) {
203 8
            $breakWhile = true;
204 8
            $rulesMap = [];
205
206
            /** @var mixed $valuePath */
207 8
            foreach ($rules as $valuePath => $rule) {
208 7
                if (is_int($valuePath)) {
209
                    $valuePath = (string) $valuePath;
210 7
                } elseif (!is_string($valuePath)) {
211
                    $message = sprintf(
212
                        'A value path can only have an integer or a string type. %s given',
213
                        get_debug_type($valuePath),
214
                    );
215
216
                    throw new InvalidArgumentException($message);
217
                }
218
219 7
                if ($valuePath === self::EACH_SHORTCUT) {
220 1
                    throw new InvalidArgumentException('Bare shortcut is prohibited. Use "Each" rule instead.');
221
                }
222
223 6
                $parts = StringHelper::parsePath(
224
                    $valuePath,
225
                    delimiter: self::EACH_SHORTCUT,
226
                    preserveDelimiterEscaping: true
227
                );
228 6
                if (count($parts) === 1) {
229 6
                    continue;
230
                }
231
232
                $breakWhile = false;
233
234
                $lastValuePath = array_pop($parts);
235
                $lastValuePath = ltrim($lastValuePath, '.');
236
                $lastValuePath = str_replace('\\' . self::EACH_SHORTCUT, self::EACH_SHORTCUT, $lastValuePath);
237
238
                $remainingValuePath = implode(self::EACH_SHORTCUT, $parts);
239
                $remainingValuePath = rtrim($remainingValuePath, self::SEPARATOR);
240
241
                if (!isset($rulesMap[$remainingValuePath])) {
242
                    $rulesMap[$remainingValuePath] = [];
243
                }
244
245
                $rulesMap[$remainingValuePath][$lastValuePath] = $rule;
246
                unset($rules[$valuePath]);
247
            }
248
249 7
            foreach ($rulesMap as $valuePath => $nestedRules) {
250
                $rules[$valuePath] = new Each([new self($nestedRules, normalizeRules: false)]);
251
            }
252
253 7
            if ($breakWhile === true) {
254 7
                break;
255
            }
256
        }
257
258 7
        $this->rules = $rules;
0 ignored issues
show
Documentation Bug introduced by
It seems like $rules can also be of type array. However, the property $rules is declared as type iterable|null. Maybe add an additional type check?

Our type inference engine has found a suspicous assignment of a value to a property. This check raises an issue when a value that can be of a mixed type is assigned to a property that is type hinted more strictly.

For example, imagine you have a variable $accountId that can either hold an Id object or false (if there is no account id yet). Your code now assigns that value to the id property of an instance of the Account class. This class holds a proper account, so the id value must no longer be false.

Either this assignment is in error or a type check should be added for that assignment.

class Id
{
    public $id;

    public function __construct($id)
    {
        $this->id = $id;
    }

}

class Account
{
    /** @var  Id $id */
    public $id;
}

$account_id = false;

if (starsAreRight()) {
    $account_id = new Id(42);
}

$account = new Account();
if ($account instanceof Id)
{
    $account->id = $account_id;
}
Loading history...
259
    }
260
261 1
    public function propagateOptions(): void
262
    {
263 1
        if ($this->rules === null) {
264
            return;
265
        }
266
267 1
        $rules = [];
268
        /** @var iterable<RuleInterface> $attributeRules */
269 1
        foreach ($this->rules as $attributeRulesIndex => $attributeRules) {
270 1
            if (!is_int($attributeRulesIndex) && !is_string($attributeRulesIndex)) {
271
                $message = sprintf(
272
                    'A value path can only have an integer or a string type. %s given',
273
                    get_debug_type($attributeRulesIndex),
274
                );
275
276
                throw new InvalidArgumentException($message);
277
            }
278
279 1
            foreach ($attributeRules as $attributeRule) {
280 1
                if ($attributeRule instanceof SkipOnEmptyInterface) {
281 1
                    $attributeRule = $attributeRule->skipOnEmpty($this->skipOnEmpty);
282
                }
283 1
                if ($attributeRule instanceof SkipOnErrorInterface) {
284 1
                    $attributeRule = $attributeRule->skipOnError($this->skipOnError);
285
                }
286 1
                if ($attributeRule instanceof WhenInterface) {
287 1
                    $attributeRule = $attributeRule->when($this->when);
288
                }
289
290 1
                $rules[$attributeRulesIndex][] = $attributeRule;
291
292 1
                if ($attributeRule instanceof PropagateOptionsInterface) {
293 1
                    $attributeRule->propagateOptions();
294
                }
295
            }
296
        }
297
298 1
        $this->rules = $rules;
0 ignored issues
show
Documentation Bug introduced by
It seems like $rules of type array or array is incompatible with the declared type iterable|null of property $rules.

Our type inference engine has found an assignment to a property that is incompatible with the declared type of that property.

Either this assignment is in error or the assigned type should be added to the documentation/type hint for that property..

Loading history...
299
    }
300
301 5
    #[ArrayShape([
302
        'requirePropertyPath' => 'bool',
303
        'noPropertyPathMessage' => 'array',
304
        'skipOnEmpty' => 'bool',
305
        'skipOnError' => 'bool',
306
        'rules' => 'array|null',
307
    ])]
308
    public function getOptions(): array
309
    {
310
        return [
311 5
            'requirePropertyPath' => $this->getRequirePropertyPath(),
312
            'noPropertyPathMessage' => [
313 5
                'message' => $this->getNoPropertyPathMessage(),
314
            ],
315 5
            'skipOnEmpty' => $this->getSkipOnEmptyOption(),
316 5
            'skipOnError' => $this->skipOnError,
317 5
            'rules' => $this->rules === null ? null : (new RulesDumper())->asArray($this->rules),
318
        ];
319
    }
320
321 40
    public function getHandlerClassName(): string
322
    {
323 40
        return NestedHandler::class;
324
    }
325
}
326