Skip to content
Snippets Groups Projects
AbstractObjectNormalizer.php 27.7 KiB
Newer Older
bcweaver's avatar
bcweaver committed
<?php

/*
 * This file is part of the Symfony package.
 *
 * (c) Fabien Potencier <fabien@symfony.com>
 *
 * For the full copyright and license information, please view the LICENSE
 * file that was distributed with this source code.
 */

namespace Symfony\Component\Serializer\Normalizer;

use Symfony\Component\PropertyAccess\Exception\AccessException;
bcweaver's avatar
bcweaver committed
use Symfony\Component\PropertyAccess\Exception\InvalidArgumentException;
Brian Weaver's avatar
Brian Weaver committed
use Symfony\Component\PropertyAccess\Exception\NoSuchPropertyException;
bcweaver's avatar
bcweaver committed
use Symfony\Component\PropertyInfo\PropertyTypeExtractorInterface;
use Symfony\Component\PropertyInfo\Type;
use Symfony\Component\Serializer\Encoder\JsonEncoder;
Michael Lee's avatar
Michael Lee committed
use Symfony\Component\Serializer\Encoder\XmlEncoder;
bcweaver's avatar
bcweaver committed
use Symfony\Component\Serializer\Exception\ExtraAttributesException;
use Symfony\Component\Serializer\Exception\LogicException;
use Symfony\Component\Serializer\Exception\MissingConstructorArgumentsException;
bcweaver's avatar
bcweaver committed
use Symfony\Component\Serializer\Exception\NotNormalizableValueException;
Brian Weaver's avatar
Brian Weaver committed
use Symfony\Component\Serializer\Exception\RuntimeException;
bcweaver's avatar
bcweaver committed
use Symfony\Component\Serializer\Mapping\AttributeMetadataInterface;
Brian Weaver's avatar
Brian Weaver committed
use Symfony\Component\Serializer\Mapping\ClassDiscriminatorFromClassMetadata;
use Symfony\Component\Serializer\Mapping\ClassDiscriminatorResolverInterface;
bcweaver's avatar
bcweaver committed
use Symfony\Component\Serializer\Mapping\Factory\ClassMetadataFactoryInterface;
use Symfony\Component\Serializer\NameConverter\NameConverterInterface;

/**
 * Base class for a normalizer dealing with objects.
 *
 * @author Kévin Dunglas <dunglas@gmail.com>
 */
abstract class AbstractObjectNormalizer extends AbstractNormalizer
{
Brian Weaver's avatar
Brian Weaver committed
    /**
     * Set to true to respect the max depth metadata on fields.
     */
    public const ENABLE_MAX_DEPTH = 'enable_max_depth';

    /**
     * How to track the current depth in the context.
     */
    public const DEPTH_KEY_PATTERN = 'depth_%s::%s';

    /**
     * While denormalizing, we can verify that types match.
     *
     * You can disable this by setting this flag to true.
     */
    public const DISABLE_TYPE_ENFORCEMENT = 'disable_type_enforcement';

    /**
     * Flag to control whether fields with the value `null` should be output
     * when normalizing or omitted.
     */
    public const SKIP_NULL_VALUES = 'skip_null_values';

    /**
     * Callback to allow to set a value for an attribute when the max depth has
     * been reached.
     *
     * If no callback is given, the attribute is skipped. If a callable is
     * given, its return value is used (even if null).
     *
     * The arguments are:
     *
     * - mixed  $attributeValue value of this field
     * - object $object         the whole object being normalized
     * - string $attributeName  name of the attribute being normalized
     * - string $format         the requested format
     * - array  $context        the serialization context
     */
    public const MAX_DEPTH_HANDLER = 'max_depth_handler';

    /**
     * Specify which context key are not relevant to determine which attributes
     * of an object to (de)normalize.
     */
    public const EXCLUDE_FROM_CACHE_KEY = 'exclude_from_cache_key';

    /**
     * Flag to tell the denormalizer to also populate existing objects on
     * attributes of the main object.
     *
     * Setting this to true is only useful if you also specify the root object
     * in OBJECT_TO_POPULATE.
     */
    public const DEEP_OBJECT_TO_POPULATE = 'deep_object_to_populate';

    public const PRESERVE_EMPTY_OBJECTS = 'preserve_empty_objects';
bcweaver's avatar
bcweaver committed

    private $propertyTypeExtractor;
Brian Weaver's avatar
Brian Weaver committed
    private $typesCache = [];
    private $attributesCache = [];
bcweaver's avatar
bcweaver committed

Brian Weaver's avatar
Brian Weaver committed
    /**
     * @deprecated since Symfony 4.2
     *
     * @var callable|null
     */
    private $maxDepthHandler;
    private $objectClassResolver;

    /**
     * @var ClassDiscriminatorResolverInterface|null
     */
    protected $classDiscriminatorResolver;

    public function __construct(ClassMetadataFactoryInterface $classMetadataFactory = null, NameConverterInterface $nameConverter = null, PropertyTypeExtractorInterface $propertyTypeExtractor = null, ClassDiscriminatorResolverInterface $classDiscriminatorResolver = null, callable $objectClassResolver = null, array $defaultContext = [])
bcweaver's avatar
bcweaver committed
    {
Brian Weaver's avatar
Brian Weaver committed
        parent::__construct($classMetadataFactory, $nameConverter, $defaultContext);

        if (isset($this->defaultContext[self::MAX_DEPTH_HANDLER]) && !\is_callable($this->defaultContext[self::MAX_DEPTH_HANDLER])) {
            throw new InvalidArgumentException(sprintf('The "%s" given in the default context is not callable.', self::MAX_DEPTH_HANDLER));
        }

        $this->defaultContext[self::EXCLUDE_FROM_CACHE_KEY] = array_merge($this->defaultContext[self::EXCLUDE_FROM_CACHE_KEY] ?? [], [self::CIRCULAR_REFERENCE_LIMIT_COUNTERS]);
bcweaver's avatar
bcweaver committed

        $this->propertyTypeExtractor = $propertyTypeExtractor;
Brian Weaver's avatar
Brian Weaver committed

        if (null === $classDiscriminatorResolver && null !== $classMetadataFactory) {
            $classDiscriminatorResolver = new ClassDiscriminatorFromClassMetadata($classMetadataFactory);
        }
        $this->classDiscriminatorResolver = $classDiscriminatorResolver;
        $this->objectClassResolver = $objectClassResolver;
bcweaver's avatar
bcweaver committed
    }

    /**
     * {@inheritdoc}
     */
    public function supportsNormalization($data, $format = null)
    {
        return \is_object($data) && !$data instanceof \Traversable;
    }

    /**
     * {@inheritdoc}
     */
    public function normalize($object, $format = null, array $context = [])
bcweaver's avatar
bcweaver committed
    {
        if (!isset($context['cache_key'])) {
            $context['cache_key'] = $this->getCacheKey($format, $context);
        }

        $this->validateCallbackContext($context);
bcweaver's avatar
bcweaver committed
        if ($this->isCircularReference($object, $context)) {
Brian Weaver's avatar
Brian Weaver committed
            return $this->handleCircularReference($object, $format, $context);
bcweaver's avatar
bcweaver committed
        }

        $data = [];
        $stack = [];
bcweaver's avatar
bcweaver committed
        $attributes = $this->getAttributes($object, $format, $context);
Brian Weaver's avatar
Brian Weaver committed
        $class = $this->objectClassResolver ? ($this->objectClassResolver)($object) : \get_class($object);
bcweaver's avatar
bcweaver committed
        $attributesMetadata = $this->classMetadataFactory ? $this->classMetadataFactory->getMetadataFor($class)->getAttributesMetadata() : null;
Brian Weaver's avatar
Brian Weaver committed
        if (isset($context[self::MAX_DEPTH_HANDLER])) {
            $maxDepthHandler = $context[self::MAX_DEPTH_HANDLER];
            if (!\is_callable($maxDepthHandler)) {
                throw new InvalidArgumentException(sprintf('The "%s" given in the context is not callable.', self::MAX_DEPTH_HANDLER));
            }
        } else {
            // already validated in constructor resp by type declaration of setMaxDepthHandler
            $maxDepthHandler = $this->defaultContext[self::MAX_DEPTH_HANDLER] ?? $this->maxDepthHandler;
        }
bcweaver's avatar
bcweaver committed

        foreach ($attributes as $attribute) {
Brian Weaver's avatar
Brian Weaver committed
            $maxDepthReached = false;
            if (null !== $attributesMetadata && ($maxDepthReached = $this->isMaxDepthReached($attributesMetadata, $class, $attribute, $context)) && !$maxDepthHandler) {
bcweaver's avatar
bcweaver committed
                continue;
            }

            try {
                $attributeValue = $this->getAttributeValue($object, $attribute, $format, $context);
            } catch (AccessException $e) {
                if (sprintf('The property "%s::$%s" is not initialized.', \get_class($object), $attribute) === $e->getMessage()) {
                    continue;
                }
                if (($p = $e->getPrevious()) && 'Error' === \get_class($p) && $this->isUninitializedValueError($p)) {
                    continue;
                }
                throw $e;
            } catch (\Error $e) {
                if ($this->isUninitializedValueError($e)) {
                    continue;
                }
                throw $e;
            }

Brian Weaver's avatar
Brian Weaver committed
            if ($maxDepthReached) {
                $attributeValue = $maxDepthHandler($attributeValue, $object, $attribute, $format, $context);
            }
bcweaver's avatar
bcweaver committed

            $attributeValue = $this->applyCallbacks($attributeValue, $object, $attribute, $format, $context);
bcweaver's avatar
bcweaver committed

            if (null !== $attributeValue && !\is_scalar($attributeValue)) {
bcweaver's avatar
bcweaver committed
                $stack[$attribute] = $attributeValue;
            }

Brian Weaver's avatar
Brian Weaver committed
            $data = $this->updateData($data, $attribute, $attributeValue, $class, $format, $context);
bcweaver's avatar
bcweaver committed
        }

        foreach ($stack as $attribute => $attributeValue) {
            if (!$this->serializer instanceof NormalizerInterface) {
                throw new LogicException(sprintf('Cannot normalize attribute "%s" because the injected serializer is not a normalizer.', $attribute));
bcweaver's avatar
bcweaver committed
            }

Brian Weaver's avatar
Brian Weaver committed
            $data = $this->updateData($data, $attribute, $this->serializer->normalize($attributeValue, $format, $this->createChildContext($context, $attribute, $format)), $class, $format, $context);
        }

        if (isset($context[self::PRESERVE_EMPTY_OBJECTS]) && !\count($data)) {
            return new \ArrayObject();
bcweaver's avatar
bcweaver committed
        }

        return $data;
    }

Brian Weaver's avatar
Brian Weaver committed
    /**
     * {@inheritdoc}
     */
    protected function instantiateObject(array &$data, $class, array &$context, \ReflectionClass $reflectionClass, $allowedAttributes, string $format = null)
    {
        if ($this->classDiscriminatorResolver && $mapping = $this->classDiscriminatorResolver->getMappingForClass($class)) {
            if (!isset($data[$mapping->getTypeProperty()])) {
                throw new RuntimeException(sprintf('Type property "%s" not found for the abstract object "%s".', $mapping->getTypeProperty(), $class));
            }

            $type = $data[$mapping->getTypeProperty()];
            if (null === ($mappedClass = $mapping->getClassForType($type))) {
                throw new RuntimeException(sprintf('The type "%s" has no mapped class for the abstract object "%s".', $type, $class));
            }

            if ($mappedClass !== $class) {
                return $this->instantiateObject($data, $mappedClass, $context, new \ReflectionClass($mappedClass), $allowedAttributes, $format);
            }
        }

        return parent::instantiateObject($data, $class, $context, $reflectionClass, $allowedAttributes, $format);
    }

bcweaver's avatar
bcweaver committed
    /**
     * Gets and caches attributes for the given object, format and context.
     *
     * @param object      $object
     * @param string|null $format
     *
     * @return string[]
     */
    protected function getAttributes($object, $format, array $context)
bcweaver's avatar
bcweaver committed
    {
Brian Weaver's avatar
Brian Weaver committed
        $class = $this->objectClassResolver ? ($this->objectClassResolver)($object) : \get_class($object);
bcweaver's avatar
bcweaver committed
        $key = $class.'-'.$context['cache_key'];

        if (isset($this->attributesCache[$key])) {
            return $this->attributesCache[$key];
        }

        $allowedAttributes = $this->getAllowedAttributes($object, $context, true);

        if (false !== $allowedAttributes) {
            if ($context['cache_key']) {
                $this->attributesCache[$key] = $allowedAttributes;
            }

            return $allowedAttributes;
        }

        $attributes = $this->extractAttributes($object, $format, $context);
bcweaver's avatar
bcweaver committed

Brian Weaver's avatar
Brian Weaver committed
        if ($this->classDiscriminatorResolver && $mapping = $this->classDiscriminatorResolver->getMappingForMappedObject($object)) {
            array_unshift($attributes, $mapping->getTypeProperty());
        }

        if ($context['cache_key']) {
            $this->attributesCache[$key] = $attributes;
bcweaver's avatar
bcweaver committed
        }

        return $attributes;
bcweaver's avatar
bcweaver committed
    }

    /**
     * Extracts attributes to normalize from the class of the given object, format and context.
     *
     * @param object      $object
     * @param string|null $format
     *
     * @return string[]
     */
    abstract protected function extractAttributes($object, $format = null, array $context = []);
bcweaver's avatar
bcweaver committed

    /**
     * Gets the attribute value.
     *
     * @param object      $object
     * @param string      $attribute
     * @param string|null $format
     *
     * @return mixed
     */
    abstract protected function getAttributeValue($object, $attribute, $format = null, array $context = []);
bcweaver's avatar
bcweaver committed

Brian Weaver's avatar
Brian Weaver committed
    /**
     * Sets a handler function that will be called when the max depth is reached.
     *
     * @deprecated since Symfony 4.2
     */
    public function setMaxDepthHandler(?callable $handler): void
    {
        @trigger_error(sprintf('The "%s()" method is deprecated since Symfony 4.2, use the "max_depth_handler" key of the context instead.', __METHOD__), \E_USER_DEPRECATED);

        $this->maxDepthHandler = $handler;
    }

bcweaver's avatar
bcweaver committed
    /**
     * {@inheritdoc}
     */
    public function supportsDenormalization($data, $type, $format = null)
    {
Brian Weaver's avatar
Brian Weaver committed
        return class_exists($type) || (interface_exists($type, false) && $this->classDiscriminatorResolver && null !== $this->classDiscriminatorResolver->getMappingForClass($type));
bcweaver's avatar
bcweaver committed
    }

    /**
     * {@inheritdoc}
     */
    public function denormalize($data, $type, $format = null, array $context = [])
bcweaver's avatar
bcweaver committed
    {
        if (!isset($context['cache_key'])) {
            $context['cache_key'] = $this->getCacheKey($format, $context);
        }

        $this->validateCallbackContext($context);

        $allowedAttributes = $this->getAllowedAttributes($type, $context, true);
bcweaver's avatar
bcweaver committed
        $normalizedData = $this->prepareForDenormalization($data);
        $extraAttributes = [];
bcweaver's avatar
bcweaver committed

        $reflectionClass = new \ReflectionClass($type);
        $object = $this->instantiateObject($normalizedData, $type, $context, $reflectionClass, $allowedAttributes, $format);
Brian Weaver's avatar
Brian Weaver committed
        $resolvedClass = $this->objectClassResolver ? ($this->objectClassResolver)($object) : \get_class($object);
bcweaver's avatar
bcweaver committed

        foreach ($normalizedData as $attribute => $value) {
            if ($this->nameConverter) {
Brian Weaver's avatar
Brian Weaver committed
                $attribute = $this->nameConverter->denormalize($attribute, $resolvedClass, $format, $context);
bcweaver's avatar
bcweaver committed
            }

Brian Weaver's avatar
Brian Weaver committed
            if ((false !== $allowedAttributes && !\in_array($attribute, $allowedAttributes)) || !$this->isAllowedAttribute($resolvedClass, $attribute, $format, $context)) {
                if (!($context[self::ALLOW_EXTRA_ATTRIBUTES] ?? $this->defaultContext[self::ALLOW_EXTRA_ATTRIBUTES])) {
bcweaver's avatar
bcweaver committed
                    $extraAttributes[] = $attribute;
                }

                continue;
            }

Brian Weaver's avatar
Brian Weaver committed
            if ($context[self::DEEP_OBJECT_TO_POPULATE] ?? $this->defaultContext[self::DEEP_OBJECT_TO_POPULATE] ?? false) {
                try {
                    $context[self::OBJECT_TO_POPULATE] = $this->getAttributeValue($object, $attribute, $format, $context);
                } catch (NoSuchPropertyException $e) {
                }
            }

            $value = $this->validateAndDenormalize($resolvedClass, $attribute, $value, $format, $context);
            $value = $this->applyCallbacks($value, $resolvedClass, $attribute, $format, $context);

bcweaver's avatar
bcweaver committed
            try {
                $this->setAttributeValue($object, $attribute, $value, $format, $context);
            } catch (InvalidArgumentException $e) {
Brian Weaver's avatar
Brian Weaver committed
                throw new NotNormalizableValueException(sprintf('Failed to denormalize attribute "%s" value for class "%s": '.$e->getMessage(), $attribute, $type), $e->getCode(), $e);
bcweaver's avatar
bcweaver committed
            }
        }

        if ($extraAttributes) {
bcweaver's avatar
bcweaver committed
            throw new ExtraAttributesException($extraAttributes);
        }

        return $object;
    }

    /**
     * Sets attribute value.
     *
     * @param object      $object
     * @param string      $attribute
     * @param mixed       $value
     * @param string|null $format
     */
    abstract protected function setAttributeValue($object, $attribute, $value, $format = null, array $context = []);
bcweaver's avatar
bcweaver committed

    /**
     * Validates the submitted data and denormalizes it.
     *
Brian Weaver's avatar
Brian Weaver committed
     * @param mixed $data
bcweaver's avatar
bcweaver committed
     *
     * @return mixed
     *
     * @throws NotNormalizableValueException
     * @throws ExtraAttributesException
     * @throws MissingConstructorArgumentsException
bcweaver's avatar
bcweaver committed
     * @throws LogicException
     */
Brian Weaver's avatar
Brian Weaver committed
    private function validateAndDenormalize(string $currentClass, string $attribute, $data, ?string $format, array $context)
bcweaver's avatar
bcweaver committed
    {
Brian Weaver's avatar
Brian Weaver committed
        if (null === $types = $this->getTypes($currentClass, $attribute)) {
bcweaver's avatar
bcweaver committed
            return $data;
        }

        $expectedTypes = [];
        $isUnionType = \count($types) > 1;
        $extraAttributesException = null;
        $missingConstructorArgumentException = null;
bcweaver's avatar
bcweaver committed
        foreach ($types as $type) {
            if (null === $data && $type->isNullable()) {
                return null;
bcweaver's avatar
bcweaver committed
            }

            $collectionValueType = $type->isCollection() ? $type->getCollectionValueType() : null;

            // Fix a collection that contains the only one element
            // This is special to xml format only
            if ('xml' === $format && null !== $collectionValueType && (!\is_array($data) || !\is_int(key($data)))) {
                $data = [$data];
            }

Michael Lee's avatar
Michael Lee committed
            if (XmlEncoder::FORMAT === $format && '' === $data && Type::BUILTIN_TYPE_ARRAY === $type->getBuiltinType()) {
                return [];
            }

            if (null !== $collectionValueType && Type::BUILTIN_TYPE_OBJECT === $collectionValueType->getBuiltinType()) {
bcweaver's avatar
bcweaver committed
                $builtinType = Type::BUILTIN_TYPE_OBJECT;
                $class = $collectionValueType->getClassName().'[]';

                if (null !== $collectionKeyType = $type->getCollectionKeyType()) {
                    $context['key_type'] = $collectionKeyType;
                }
Brian Weaver's avatar
Brian Weaver committed
            } elseif ($type->isCollection() && null !== ($collectionValueType = $type->getCollectionValueType()) && Type::BUILTIN_TYPE_ARRAY === $collectionValueType->getBuiltinType()) {
                // get inner type for any nested array
                $innerType = $collectionValueType;

                // note that it will break for any other builtinType
                $dimensions = '[]';
                while (null !== $innerType->getCollectionValueType() && Type::BUILTIN_TYPE_ARRAY === $innerType->getBuiltinType()) {
                    $dimensions .= '[]';
                    $innerType = $innerType->getCollectionValueType();
                }

                if (null !== $innerType->getClassName()) {
                    // the builtinType is the inner one and the class is the class followed by []...[]
                    $builtinType = $innerType->getBuiltinType();
                    $class = $innerType->getClassName().$dimensions;
                } else {
                    // default fallback (keep it as array)
                    $builtinType = $type->getBuiltinType();
                    $class = $type->getClassName();
                }
bcweaver's avatar
bcweaver committed
            } else {
                $builtinType = $type->getBuiltinType();
                $class = $type->getClassName();
            }

            $expectedTypes[Type::BUILTIN_TYPE_OBJECT === $builtinType && $class ? $class : $builtinType] = true;

            // This try-catch should cover all NotNormalizableValueException (and all return branches after the first
            // exception) so we could try denormalizing all types of an union type. If the target type is not an union
            // type, we will just re-throw the catched exception.
            // In the case of no denormalization succeeds with an union type, it will fall back to the default exception
            // with the acceptable types list.
            try {
                if (Type::BUILTIN_TYPE_OBJECT === $builtinType) {
                    if (!$this->serializer instanceof DenormalizerInterface) {
                        throw new LogicException(sprintf('Cannot denormalize attribute "%s" for class "%s" because injected serializer is not a denormalizer.', $attribute, $class));
                    }

                    $childContext = $this->createChildContext($context, $attribute, $format);
                    if ($this->serializer->supportsDenormalization($data, $class, $format, $childContext)) {
                        return $this->serializer->denormalize($data, $class, $format, $childContext);
                    }
bcweaver's avatar
bcweaver committed
                }

                // JSON only has a Number type corresponding to both int and float PHP types.
                // PHP's json_encode, JavaScript's JSON.stringify, Go's json.Marshal as well as most other JSON encoders convert
                // floating-point numbers like 12.0 to 12 (the decimal part is dropped when possible).
                // PHP's json_decode automatically converts Numbers without a decimal part to integers.
                // To circumvent this behavior, integers are converted to floats when denormalizing JSON based formats and when
                // a float is expected.
                if (Type::BUILTIN_TYPE_FLOAT === $builtinType && \is_int($data) && null !== $format && str_contains($format, JsonEncoder::FORMAT)) {
                    return (float) $data;
bcweaver's avatar
bcweaver committed
                }

                if ('false' === $builtinType && false === $data) {
                    return $data;
                }
bcweaver's avatar
bcweaver committed

                if (('is_'.$builtinType)($data)) {
                    return $data;
                }
            } catch (NotNormalizableValueException $e) {
                if (!$isUnionType) {
                    throw $e;
                }
            } catch (ExtraAttributesException $e) {
                if (!$isUnionType) {
                    throw $e;
                }

                if (!$extraAttributesException) {
                    $extraAttributesException = $e;
                }
            } catch (MissingConstructorArgumentsException $e) {
                if (!$isUnionType) {
                    throw $e;
                }

                if (!$missingConstructorArgumentException) {
                    $missingConstructorArgumentException = $e;
                }
bcweaver's avatar
bcweaver committed
            }
        }

        if ($extraAttributesException) {
            throw $extraAttributesException;
        }

        if ($missingConstructorArgumentException) {
            throw $missingConstructorArgumentException;
        }

Brian Weaver's avatar
Brian Weaver committed
        if ($context[self::DISABLE_TYPE_ENFORCEMENT] ?? $this->defaultContext[self::DISABLE_TYPE_ENFORCEMENT] ?? false) {
bcweaver's avatar
bcweaver committed
            return $data;
        }

        throw new NotNormalizableValueException(sprintf('The type of the "%s" attribute for class "%s" must be one of "%s" ("%s" given).', $attribute, $currentClass, implode('", "', array_keys($expectedTypes)), \gettype($data)));
    }

    /**
     * @internal
     */
    protected function denormalizeParameter(\ReflectionClass $class, \ReflectionParameter $parameter, $parameterName, $parameterData, array $context, $format = null)
    {
Brian Weaver's avatar
Brian Weaver committed
        if ($parameter->isVariadic() || null === $this->propertyTypeExtractor || null === $this->propertyTypeExtractor->getTypes($class->getName(), $parameterName)) {
            return parent::denormalizeParameter($class, $parameter, $parameterName, $parameterData, $context, $format);
        }

        $parameterData = $this->validateAndDenormalize($class->getName(), $parameterName, $parameterData, $format, $context);

        return $this->applyCallbacks($parameterData, $class->getName(), $parameterName, $format, $context);
Brian Weaver's avatar
Brian Weaver committed
    /**
     * @return Type[]|null
     */
    private function getTypes(string $currentClass, string $attribute): ?array
    {
        if (null === $this->propertyTypeExtractor) {
            return null;
        }

        $key = $currentClass.'::'.$attribute;
        if (isset($this->typesCache[$key])) {
            return false === $this->typesCache[$key] ? null : $this->typesCache[$key];
        }

        if (null !== $types = $this->propertyTypeExtractor->getTypes($currentClass, $attribute)) {
            return $this->typesCache[$key] = $types;
        }

        if (null !== $this->classDiscriminatorResolver && null !== $discriminatorMapping = $this->classDiscriminatorResolver->getMappingForClass($currentClass)) {
            if ($discriminatorMapping->getTypeProperty() === $attribute) {
                return $this->typesCache[$key] = [
                    new Type(Type::BUILTIN_TYPE_STRING),
                ];
            }

            foreach ($discriminatorMapping->getTypesMapping() as $mappedClass) {
                if (null !== $types = $this->propertyTypeExtractor->getTypes($mappedClass, $attribute)) {
                    return $this->typesCache[$key] = $types;
                }
            }
        }

        $this->typesCache[$key] = false;

        return null;
    }

bcweaver's avatar
bcweaver committed
    /**
     * Sets an attribute and apply the name converter if necessary.
     *
Brian Weaver's avatar
Brian Weaver committed
     * @param mixed $attributeValue
bcweaver's avatar
bcweaver committed
     */
Brian Weaver's avatar
Brian Weaver committed
    private function updateData(array $data, string $attribute, $attributeValue, string $class, ?string $format, array $context): array
bcweaver's avatar
bcweaver committed
    {
Brian Weaver's avatar
Brian Weaver committed
        if (null === $attributeValue && ($context[self::SKIP_NULL_VALUES] ?? $this->defaultContext[self::SKIP_NULL_VALUES] ?? false)) {
            return $data;
        }

bcweaver's avatar
bcweaver committed
        if ($this->nameConverter) {
Brian Weaver's avatar
Brian Weaver committed
            $attribute = $this->nameConverter->normalize($attribute, $class, $format, $context);
bcweaver's avatar
bcweaver committed
        }

        $data[$attribute] = $attributeValue;

        return $data;
    }

    /**
     * Is the max depth reached for the given attribute?
     *
     * @param AttributeMetadataInterface[] $attributesMetadata
     */
Brian Weaver's avatar
Brian Weaver committed
    private function isMaxDepthReached(array $attributesMetadata, string $class, string $attribute, array &$context): bool
bcweaver's avatar
bcweaver committed
    {
Brian Weaver's avatar
Brian Weaver committed
        $enableMaxDepth = $context[self::ENABLE_MAX_DEPTH] ?? $this->defaultContext[self::ENABLE_MAX_DEPTH] ?? false;
bcweaver's avatar
bcweaver committed
        if (
Brian Weaver's avatar
Brian Weaver committed
            !$enableMaxDepth ||
bcweaver's avatar
bcweaver committed
            !isset($attributesMetadata[$attribute]) ||
            null === $maxDepth = $attributesMetadata[$attribute]->getMaxDepth()
        ) {
            return false;
        }

Brian Weaver's avatar
Brian Weaver committed
        $key = sprintf(self::DEPTH_KEY_PATTERN, $class, $attribute);
bcweaver's avatar
bcweaver committed
        if (!isset($context[$key])) {
            $context[$key] = 1;

            return false;
        }

        if ($context[$key] === $maxDepth) {
            return true;
        }

        ++$context[$key];

        return false;
    }

    /**
     * Overwritten to update the cache key for the child.
     *
     * We must not mix up the attribute cache between parent and children.
     *
     * {@inheritdoc}
Brian Weaver's avatar
Brian Weaver committed
     *
     * @param string|null $format
     *
     * @internal
    protected function createChildContext(array $parentContext, $attribute/* , ?string $format */): array
    {
        if (\func_num_args() >= 3) {
bcweaver's avatar
bcweaver committed
            $format = func_get_arg(2);
        } else {
Brian Weaver's avatar
Brian Weaver committed
            @trigger_error(sprintf('Method "%s::%s()" will have a third "?string $format" argument in version 5.0; not defining it is deprecated since Symfony 4.3.', static::class, __FUNCTION__), \E_USER_DEPRECATED);
            $format = null;
        }

        $context = parent::createChildContext($parentContext, $attribute, $format);
        $context['cache_key'] = $this->getCacheKey($format, $context);

        return $context;
    }

    /**
     * Builds the cache key for the attributes cache.
     *
     * The key must be different for every option in the context that could change which attributes should be handled.
bcweaver's avatar
bcweaver committed
     *
     * @return bool|string
     */
Brian Weaver's avatar
Brian Weaver committed
    private function getCacheKey(?string $format, array $context)
bcweaver's avatar
bcweaver committed
    {
Brian Weaver's avatar
Brian Weaver committed
        foreach ($context[self::EXCLUDE_FROM_CACHE_KEY] ?? $this->defaultContext[self::EXCLUDE_FROM_CACHE_KEY] as $key) {
            unset($context[$key]);
        }
        unset($context[self::EXCLUDE_FROM_CACHE_KEY]);
        unset($context[self::OBJECT_TO_POPULATE]);
        unset($context['cache_key']); // avoid artificially different keys
bcweaver's avatar
bcweaver committed
        try {
            return md5($format.serialize([
                'context' => $context,
                'ignored' => $this->ignoredAttributes,
                'camelized' => $this->camelizedAttributes,
            ]));
        } catch (\Exception $e) {
bcweaver's avatar
bcweaver committed
            // The context cannot be serialized, skip the cache
            return false;
        }
    }

    /**
     * This error may occur when specific object normalizer implementation gets attribute value
     * by accessing a public uninitialized property or by calling a method accessing such property.
     */
    private function isUninitializedValueError(\Error $e): bool
    {
        return \PHP_VERSION_ID >= 70400
            && str_starts_with($e->getMessage(), 'Typed property')
            && str_ends_with($e->getMessage(), 'must not be accessed before initialization');
    }
bcweaver's avatar
bcweaver committed
}