Completed
Pull Request — master (#617)
by Amrouche
03:26
created

ApiDocumentationBuilder::getRange()   C

Complexity

Conditions 13
Paths 21

Size

Total Lines 48
Code Lines 28

Duplication

Lines 0
Ratio 0 %

Importance

Changes 0
Metric Value
dl 0
loc 48
rs 5.0877
c 0
b 0
f 0
cc 13
eloc 28
nc 21
nop 1

How to fix   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
/*
4
 * This file is part of the API Platform project.
5
 *
6
 * (c) Kévin Dunglas <[email protected]>
7
 *
8
 * For the full copyright and license information, please view the LICENSE
9
 * file that was distributed with this source code.
10
 */
11
12
namespace ApiPlatform\Core\Swagger;
13
14
use ApiPlatform\Core\Api\IriConverterInterface;
15
use ApiPlatform\Core\Api\OperationMethodResolverInterface;
16
use ApiPlatform\Core\Api\ResourceClassResolverInterface;
17
use ApiPlatform\Core\Api\UrlGeneratorInterface;
18
use ApiPlatform\Core\Documentation\ApiDocumentationBuilderInterface;
19
use ApiPlatform\Core\Exception\InvalidArgumentException;
20
use ApiPlatform\Core\JsonLd\ContextBuilderInterface;
21
use ApiPlatform\Core\Metadata\Property\Factory\PropertyMetadataFactoryInterface;
22
use ApiPlatform\Core\Metadata\Property\Factory\PropertyNameCollectionFactoryInterface;
23
use ApiPlatform\Core\Metadata\Property\PropertyMetadata;
24
use ApiPlatform\Core\Metadata\Resource\Factory\ResourceMetadataFactoryInterface;
25
use ApiPlatform\Core\Metadata\Resource\Factory\ResourceNameCollectionFactoryInterface;
26
use ApiPlatform\Core\Metadata\Resource\ResourceMetadata;
27
use Symfony\Component\PropertyInfo\Type;
28
29
/**
30
 * Creates a machine readable Swagger API documentation.
31
 *
32
 * @author Amrouche Hamza <[email protected]>
33
 * @author Kévin Dunglas <[email protected]>
34
 */
35
final class ApiDocumentationBuilder implements ApiDocumentationBuilderInterface
36
{
37
    const SWAGGER_VERSION = '2.0';
38
39
    private $resourceNameCollectionFactory;
40
    private $resourceMetadataFactory;
41
    private $propertyNameCollectionFactory;
42
    private $propertyMetadataFactory;
43
    private $contextBuilder;
44
    private $resourceClassResolver;
45
    private $operationMethodResolver;
46
    private $urlGenerator;
47
    private $title;
48
    private $description;
49
    private $iriConverter;
50
    private $version;
51
    private $mimeTypes = [];
52
53
    public function __construct(ResourceNameCollectionFactoryInterface $resourceNameCollectionFactory, ResourceMetadataFactoryInterface $resourceMetadataFactory, PropertyNameCollectionFactoryInterface $propertyNameCollectionFactory, PropertyMetadataFactoryInterface $propertyMetadataFactory, ContextBuilderInterface $contextBuilder, ResourceClassResolverInterface $resourceClassResolver, OperationMethodResolverInterface $operationMethodResolver, UrlGeneratorInterface $urlGenerator, IriConverterInterface $iriConverter, array $formats, string $title, string $description, string $version = null)
54
    {
55
        $this->resourceNameCollectionFactory = $resourceNameCollectionFactory;
56
        $this->resourceMetadataFactory = $resourceMetadataFactory;
57
        $this->propertyNameCollectionFactory = $propertyNameCollectionFactory;
58
        $this->propertyMetadataFactory = $propertyMetadataFactory;
59
        $this->contextBuilder = $contextBuilder;
60
        $this->resourceClassResolver = $resourceClassResolver;
61
        $this->operationMethodResolver = $operationMethodResolver;
62
        $this->urlGenerator = $urlGenerator;
63
        $this->title = $title;
64
        $this->description = $description;
65
        $this->iriConverter = $iriConverter;
66
        $this->version = $version;
67
68
        foreach ($formats as $format => $mimeTypes) {
69
            foreach ($mimeTypes as $mimeType) {
70
                $this->mimeTypes[] = $mimeType;
71
            }
72
        }
73
    }
74
75
    /**
76
     * {@inheritdoc}
77
     */
78
    public function getApiDocumentation() : array
79
    {
80
        $classes = [];
81
        $operation = [];
82
        $customOperation = [];
83
84
85
        $itemOperationsDocs = [];
86
        $definitions = [];
87
88
        foreach ($this->resourceNameCollectionFactory->create() as $resourceClass) {
89
            $operation['item'] = [];
90
            $operation['collection'] = [];
91
            $customOperations['item'] = [];
0 ignored issues
show
Coding Style Comprehensibility introduced by
$customOperations was never initialized. Although not strictly required by PHP, it is generally a good practice to add $customOperations = array(); before regardless.

Adding an explicit array definition is generally preferable to implicit array definition as it guarantees a stable state of the code.

Let’s take a look at an example:

foreach ($collection as $item) {
    $myArray['foo'] = $item->getFoo();

    if ($item->hasBar()) {
        $myArray['bar'] = $item->getBar();
    }

    // do something with $myArray
}

As you can see in this example, the array $myArray is initialized the first time when the foreach loop is entered. You can also see that the value of the bar key is only written conditionally; thus, its value might result from a previous iteration.

This might or might not be intended. To make your intention clear, your code more readible and to avoid accidental bugs, we recommend to add an explicit initialization $myArray = array() either outside or inside the foreach loop.

Loading history...
92
            $customOperations['collection'] = [];
0 ignored issues
show
Bug introduced by
The variable $customOperations does not seem to be defined for all execution paths leading up to this point.

If you define a variable conditionally, it can happen that it is not defined for all execution paths.

Let’s take a look at an example:

function myFunction($a) {
    switch ($a) {
        case 'foo':
            $x = 1;
            break;

        case 'bar':
            $x = 2;
            break;
    }

    // $x is potentially undefined here.
    echo $x;
}

In the above example, the variable $x is defined if you pass “foo” or “bar” as argument for $a. However, since the switch statement has no default case statement, if you pass any other value, the variable $x would be undefined.

Available Fixes

  1. Check for existence of the variable explicitly:

    function myFunction($a) {
        switch ($a) {
            case 'foo':
                $x = 1;
                break;
    
            case 'bar':
                $x = 2;
                break;
        }
    
        if (isset($x)) { // Make sure it's always set.
            echo $x;
        }
    }
    
  2. Define a default value for the variable:

    function myFunction($a) {
        $x = ''; // Set a default which gets overridden for certain paths.
        switch ($a) {
            case 'foo':
                $x = 1;
                break;
    
            case 'bar':
                $x = 2;
                break;
        }
    
        echo $x;
    }
    
  3. Add a value for the missing path:

    function myFunction($a) {
        switch ($a) {
            case 'foo':
                $x = 1;
                break;
    
            case 'bar':
                $x = 2;
                break;
    
            // We add support for the missing case.
            default:
                $x = '';
                break;
        }
    
        echo $x;
    }
    
Loading history...
93
            $resourceMetadata = $this->resourceMetadataFactory->create($resourceClass);
94
95
            $shortName = $resourceMetadata->getShortName();
96
            $prefixedShortName = ($iri = $resourceMetadata->getIri()) ? $iri : '#'.$shortName;
97
98
            $class = [
99
                'name' => $shortName,
100
                'externalDocs' => ['url' => $prefixedShortName],
101
            ];
102
103
            if ($description = $resourceMetadata->getDescription()) {
104
                $class = [
105
                    'name' => $shortName,
106
                    'description' => $description,
107
                    'externalDocs' => ['url' => $prefixedShortName],
108
                ];
109
            }
110
111
            $attributes = $resourceMetadata->getAttributes();
112
            $context = [];
113
114
            if (isset($attributes['normalization_context']['groups'])) {
115
                $context['serializer_groups'] = $attributes['normalization_context']['groups'];
116
            }
117
118 View Code Duplication
            if (isset($attributes['denormalization_context']['groups'])) {
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...
119
                $context['serializer_groups'] = isset($context['serializer_groups']) ? array_merge($context['serializer_groups'], $attributes['denormalization_context']['groups']) : $context['serializer_groups'];
120
            }
121
122
            $definitions[$shortName] = [
123
                'type' => 'object',
124
                'xml' => ['name' => 'response'],
125
            ];
126
127
            foreach ($this->propertyNameCollectionFactory->create($resourceClass, $context) as $propertyName) {
128
                $propertyMetadata = $this->propertyMetadataFactory->create($resourceClass, $propertyName);
129
130
                if ($propertyMetadata->isRequired()) {
131
                    $definitions[$shortName]['required'][] = $propertyName;
132
                }
133
134
                $range = $this->getRange($propertyMetadata);
135
                if (null === $range) {
136
                    continue;
137
                }
138
139
                if ($propertyMetadata->getDescription()) {
0 ignored issues
show
Bug Best Practice introduced by
The expression $propertyMetadata->getDescription() of type null|string is loosely compared to true; this is ambiguous if the string can be empty. You might want to explicitly use !== null instead.

In PHP, under loose comparison (like ==, or !=, or switch conditions), values of different types might be equal.

For string values, the empty string '' is a special case, in particular the following results might be unexpected:

''   == false // true
''   == null  // true
'ab' == false // false
'ab' == null  // false

// It is often better to use strict comparison
'' === false // false
'' === null  // false
Loading history...
140
                    $definitions[$shortName]['properties'][$propertyName]['description'] = $propertyMetadata->getDescription();
141
                }
142
143
                if ($range['complex']) {
144
                    $definitions[$shortName]['properties'][$propertyName] = ['$ref' => $range['value']];
145
                } else {
146
                    $definitions[$shortName]['properties'][$propertyName] = ['type' => $range['value']];
147
148
                    if (isset($range['example'])) {
149
                        $definitions[$shortName]['properties'][$propertyName]['example'] = $range['example'];
150
                    }
151
                }
152
            }
153
154 View Code Duplication
            if ($operations = $resourceMetadata->getItemOperations()) {
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...
155
                foreach ($operations as $operationName => $itemOperation) {
156
                    $method = $this->operationMethodResolver->getItemOperationMethod($resourceClass, $operationName);
157
                    $swaggerOperation = $this->getSwaggerOperation($resourceClass, $resourceMetadata, $operationName, $itemOperation, $prefixedShortName, false, $definitions, $method);
158
                    $operation['item'] = array_merge($operation['item'], $swaggerOperation);
159
                    if ($operationName !== strtolower($method)) {
160
                        $customOperations['item'][] = $operationName;
161
                    }
162
                }
163
            }
164
165 View Code Duplication
            if ($operations = $resourceMetadata->getCollectionOperations()) {
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...
166
                foreach ($operations as $operationName => $collectionOperation) {
167
                    $method = $this->operationMethodResolver->getCollectionOperationMethod($resourceClass, $operationName);
168
                    $swaggerOperation = $this->getSwaggerOperation($resourceClass, $resourceMetadata, $operationName, $collectionOperation, $prefixedShortName, true, $definitions, $method);
169
                    $operation['collection'] = array_merge($operation['collection'], $swaggerOperation);
170
                    if ($operationName !== strtolower($method)) {
171
                        $customOperations['collection'][] = $operationName;
172
                    }
173
                }
174
            }
175
            try {
176
                $resourceClassIri = $this->iriConverter->getIriFromResourceClass($resourceClass);
177
                $itemOperationsDocs[$resourceClassIri] = $operation['collection'];
178
179 View Code Duplication
                if (!empty($customOperations['collection'])) {
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...
180
                    foreach ($customOperations['collection'] as $customOperation) {
181
                        $path = $resourceMetadata->getCollectionOperationAttribute($customOperation, 'path');
182
                        if (null !== $path) {
183
                            $method = $this->operationMethodResolver->getCollectionOperationMethod($resourceClass, $customOperation);
184
                            $customSwaggerOperation = $this->getSwaggerOperation($resourceClass, $resourceMetadata, $customOperation, [$method], $prefixedShortName, true, $definitions, $method);
185
186
                            $itemOperationsDocs[$path] = $customSwaggerOperation;
187
                        }
188
                    }
189
                }
190
191
192
                $resourceClassIri .= '/{id}';
193
194
                $itemOperationsDocs[$resourceClassIri] = $operation['item'];
195
196 View Code Duplication
                if (!empty($customOperations['item'])) {
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...
197
                    foreach ($customOperations['item'] as $customOperation) {
198
                        $path = $resourceMetadata->getItemOperationAttribute($customOperation, 'path');
199
                        if (null !== $path) {
200
                            $method = $this->operationMethodResolver->getItemOperationMethod($resourceClass, $customOperation);
201
                            $customSwaggerOperation = $this->getSwaggerOperation($resourceClass, $resourceMetadata, $customOperation, [$method], $prefixedShortName, true, $definitions, $method);
202
203
                            $itemOperationsDocs[$path] = $customSwaggerOperation;
204
                        }
205
                    }
206
                }
207
            } catch (InvalidArgumentException $e) {
0 ignored issues
show
Coding Style Comprehensibility introduced by
Consider adding a comment why this CATCH block is empty.
Loading history...
208
            }
209
210
            $classes[] = $class;
211
        }
212
213
        $doc['swagger'] = self::SWAGGER_VERSION;
0 ignored issues
show
Coding Style Comprehensibility introduced by
$doc was never initialized. Although not strictly required by PHP, it is generally a good practice to add $doc = array(); before regardless.

Adding an explicit array definition is generally preferable to implicit array definition as it guarantees a stable state of the code.

Let’s take a look at an example:

foreach ($collection as $item) {
    $myArray['foo'] = $item->getFoo();

    if ($item->hasBar()) {
        $myArray['bar'] = $item->getBar();
    }

    // do something with $myArray
}

As you can see in this example, the array $myArray is initialized the first time when the foreach loop is entered. You can also see that the value of the bar key is only written conditionally; thus, its value might result from a previous iteration.

This might or might not be intended. To make your intention clear, your code more readible and to avoid accidental bugs, we recommend to add an explicit initialization $myArray = array() either outside or inside the foreach loop.

Loading history...
214
        if ('' !== $this->title) {
215
            $doc['info']['title'] = $this->title;
216
        }
217
218
        if ('' !== $this->description) {
219
            $doc['info']['description'] = $this->description;
220
        }
221
        $doc['info']['version'] = $this->version ?? '0.0.0';
222
        $doc['basePath'] = $this->urlGenerator->generate('api_hydra_entrypoint');
223
        $doc['definitions'] = $definitions;
224
        $doc['externalDocs'] = ['description' => 'Find more about API Platform', 'url' => 'https://api-platform.com'];
225
        $doc['tags'] = $classes;
226
        $doc['paths'] = $itemOperationsDocs;
227
228
        return $doc;
229
    }
230
231
    /**
232
     * Gets and populates if applicable a Swagger operation.
233
     */
234
    private function getSwaggerOperation(string $resourceClass, ResourceMetadata $resourceMetadata, string $operationName, array $operation, string $prefixedShortName, bool $collection, array $properties, string $method) : array
0 ignored issues
show
Unused Code introduced by
The parameter $operationName is not used and could be removed.

This check looks from parameters that have been defined for a function or method, but which are not used in the method body.

Loading history...
Unused Code introduced by
The parameter $prefixedShortName is not used and could be removed.

This check looks from parameters that have been defined for a function or method, but which are not used in the method body.

Loading history...
Unused Code introduced by
The parameter $properties is not used and could be removed.

This check looks from parameters that have been defined for a function or method, but which are not used in the method body.

Loading history...
235
    {
236
        $methodSwagger = strtolower($method);
237
        $swaggerOperation = $operation['swagger_context'] ?? [];
238
        $shortName = $resourceMetadata->getShortName();
239
        $swaggerOperation[$methodSwagger] = [];
240
        $swaggerOperation[$methodSwagger]['tags'] = [$shortName];
241
242
        switch ($method) {
243
            case 'GET':
0 ignored issues
show
Coding Style introduced by
CASE statements must be defined using a colon

As per the PSR-2 coding standard, case statements should not be wrapped in curly braces. There is no need for braces, since each case is terminated by the next break.

switch ($expr) {
    case "A": { //wrong
        doSomething();
        break;
    }
    case "B": //right
        doSomething();
        break;
}

To learn more about the PSR-2 coding standard, please refer to the PHP-Fig.

Loading history...
244
                $swaggerOperation[$methodSwagger]['produces'] = $this->mimeTypes;
245
246
                if ($collection) {
247 View Code Duplication
                    if (!isset($swaggerOperation[$methodSwagger]['title'])) {
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...
248
                        $swaggerOperation[$methodSwagger]['summary'] = sprintf('Retrieves the collection of %s resources.', $shortName);
249
                    }
250
251
                    $swaggerOperation[$methodSwagger]['responses'] = [
252
                        '200' => [
253
                            'description' => 'Successful operation',
254
                             'schema' => [
255
                                'type' => 'array',
256
                                'items' => ['$ref' => sprintf('#/definitions/%s', $shortName)],
257
                             ],
258
                        ],
259
                    ];
260
                    break;
261
                }
262
263 View Code Duplication
                if (!isset($swaggerOperation[$methodSwagger]['title'])) {
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...
264
                    $swaggerOperation[$methodSwagger]['summary'] = sprintf('Retrieves %s resource.', $shortName);
265
                }
266
267
                $swaggerOperation[$methodSwagger]['parameters'][] = [
268
                    'name' => 'id',
269
                    'in' => 'path',
270
                    'required' => true,
271
                    'type' => 'integer',
272
                ];
273
274
                $swaggerOperation[$methodSwagger]['responses'] = [
275
                    '200' => [
276
                        'description' => 'Successful operation',
277
                        'schema' => ['$ref' => sprintf('#/definitions/%s', $shortName)],
278
                    ],
279
                    '404' => ['description' => 'Resource not found'],
280
                ];
281
                break;
282
283
            case 'POST':
0 ignored issues
show
Coding Style introduced by
CASE statements must be defined using a colon

As per the PSR-2 coding standard, case statements should not be wrapped in curly braces. There is no need for braces, since each case is terminated by the next break.

switch ($expr) {
    case "A": { //wrong
        doSomething();
        break;
    }
    case "B": //right
        doSomething();
        break;
}

To learn more about the PSR-2 coding standard, please refer to the PHP-Fig.

Loading history...
284
                $swaggerOperation[$methodSwagger]['consumes'] = $swaggerOperation[$methodSwagger]['produces'] = $this->mimeTypes;
285
286 View Code Duplication
                if (!isset($swaggerOperation[$methodSwagger]['title'])) {
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...
287
                    $swaggerOperation[$methodSwagger]['summary'] = sprintf('Creates a %s resource.', $shortName);
288
                }
289
290
                if ($this->resourceClassResolver->isResourceClass($resourceClass)) {
291
                    $swaggerOperation[$methodSwagger]['parameters'][] = [
292
                        'in' => 'body',
293
                        'name' => 'body',
294
                        'description' => sprintf('%s resource to be added', $shortName),
295
                        'schema' => [
296
                            '$ref' => sprintf('#/definitions/%s', $shortName),
297
                        ],
298
                    ];
299
                }
300
301
                $swaggerOperation[$methodSwagger]['responses'] = [
302
                        '201' => [
303
                            'description' => 'Successful operation',
304
                            'schema' => ['$ref' => sprintf('#/definitions/%s', $shortName)],
305
                        ],
306
                        '400' => ['description' => 'Invalid input'],
307
                        '404' => ['description' => 'Resource not found'],
308
                ];
309
            break;
310
311
            case 'PUT':
0 ignored issues
show
Coding Style introduced by
CASE statements must be defined using a colon

As per the PSR-2 coding standard, case statements should not be wrapped in curly braces. There is no need for braces, since each case is terminated by the next break.

switch ($expr) {
    case "A": { //wrong
        doSomething();
        break;
    }
    case "B": //right
        doSomething();
        break;
}

To learn more about the PSR-2 coding standard, please refer to the PHP-Fig.

Loading history...
312
                $swaggerOperation[$methodSwagger]['consumes'] = $swaggerOperation[$methodSwagger]['produces'] = $this->mimeTypes;
313
314 View Code Duplication
                if (!isset($swaggerOperation[$methodSwagger]['title'])) {
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...
315
                    $swaggerOperation[$methodSwagger]['summary'] = sprintf('Replaces the %s resource.', $shortName);
316
                }
317
318
                if ($this->resourceClassResolver->isResourceClass($resourceClass)) {
319
                    $swaggerOperation[$methodSwagger]['parameters'] = [
320
                        [
321
                            'name' => 'id',
322
                            'in' => 'path',
323
                            'required' => true,
324
                            'type' => 'integer',
325
                        ],
326
                        [
327
                            'in' => 'body',
328
                            'name' => 'body',
329
                            'description' => sprintf('%s resource to be added', $shortName),
330
                            'schema' => [
331
                                '$ref' => sprintf('#/definitions/%s', $shortName),
332
                            ],
333
                        ],
334
                    ];
335
                }
336
337
                $swaggerOperation[$methodSwagger]['responses'] = [
338
                    '200' => [
339
                        'description' => 'Successful operation',
340
                        'schema' => ['$ref' => sprintf('#/definitions/%s', $shortName)],
341
                    ],
342
                    '400' => ['description' => 'Invalid input'],
343
                    '404' => ['description' => 'Resource not found'],
344
                ];
345
            break;
346
347
            case 'DELETE':
348
                $swaggerOperation[$methodSwagger]['responses'] = [
349
                    '204' => ['description' => 'Deleted'],
350
                    '404' => ['description' => 'Resource not found'],
351
                ];
352
353
                $swaggerOperation[$methodSwagger]['parameters'] = [[
354
                    'name' => 'id',
355
                    'in' => 'path',
356
                    'required' => true,
357
                    'type' => 'integer',
358
                ]];
359
            break;
360
        }
361
        ksort($swaggerOperation);
362
363
        return $swaggerOperation;
364
    }
365
366
    /**
367
     * Gets the range of the property.
368
     *
369
     * @param PropertyMetadata $propertyMetadata
370
     *
371
     * @return array|null
372
     */
373
    private function getRange(PropertyMetadata $propertyMetadata) : array
374
    {
375
        $type = $propertyMetadata->getType();
376
        if (!$type) {
377
            return;
378
        }
379
380
        if ($type->isCollection() && $collectionType = $type->getCollectionValueType()) {
381
            $type = $collectionType;
382
        }
383
384
        switch ($type->getBuiltinType()) {
385
            case Type::BUILTIN_TYPE_STRING:
386
                return ['complex' => false, 'value' => 'string'];
387
388
            case Type::BUILTIN_TYPE_INT:
389
                return ['complex' => false, 'value' => 'integer'];
390
391
            case Type::BUILTIN_TYPE_FLOAT:
392
                return ['complex' => false, 'value' => 'number'];
393
394
            case Type::BUILTIN_TYPE_BOOL:
395
                return ['complex' => false, 'value' => 'boolean'];
396
397
            case Type::BUILTIN_TYPE_OBJECT:
398
                $className = $type->getClassName();
399
                if (null === $className) {
400
                    return;
401
                }
402
403
                if (is_subclass_of($className, \DateTimeInterface::class)) {
1 ignored issue
show
Bug introduced by
Due to PHP Bug #53727, is_subclass_of might return inconsistent results on some PHP versions if \DateTimeInterface::class can be an interface. If so, you could instead use ReflectionClass::implementsInterface.
Loading history...
404
                    return ['complex' => false, 'value' => 'string', 'example' => '1988-01-21T00:00:00+00:00'];
405
                }
406
407
                if (!$this->resourceClassResolver->isResourceClass($className)) {
408
                    return;
409
                }
410
411
                if ($propertyMetadata->isReadableLink()) {
412
                    return ['complex' => true, 'value' => sprintf('#/definitions/%s', $this->resourceMetadataFactory->create($className)->getShortName())];
413
                }
414
415
                return ['complex' => false, 'value' => 'string', 'example' => '/my/iri'];
416
417
            default:
418
                return ['complex' => false, 'value' => 'null'];
419
        }
420
    }
421
}
422