src/Core/Framework/DataAbstractionLayer/Dbal/EntityDefinitionQueryHelper.php line 50

  1. <?php declare(strict_types=1);
  2. namespace Shopware\Core\Framework\DataAbstractionLayer\Dbal;
  3. use Doctrine\DBAL\Connection;
  4. use Shopware\Core\Defaults;
  5. use Shopware\Core\Framework\Context;
  6. use Shopware\Core\Framework\DataAbstractionLayer\Dbal\Exception\FieldAccessorBuilderNotFoundException;
  7. use Shopware\Core\Framework\DataAbstractionLayer\Dbal\Exception\UnmappedFieldException;
  8. use Shopware\Core\Framework\DataAbstractionLayer\Dbal\FieldResolver\FieldResolverContext;
  9. use Shopware\Core\Framework\DataAbstractionLayer\EntityDefinition;
  10. use Shopware\Core\Framework\DataAbstractionLayer\Field\AssociationField;
  11. use Shopware\Core\Framework\DataAbstractionLayer\Field\Field;
  12. use Shopware\Core\Framework\DataAbstractionLayer\Field\FkField;
  13. use Shopware\Core\Framework\DataAbstractionLayer\Field\Flag\Inherited;
  14. use Shopware\Core\Framework\DataAbstractionLayer\Field\Flag\PrimaryKey;
  15. use Shopware\Core\Framework\DataAbstractionLayer\Field\IdField;
  16. use Shopware\Core\Framework\DataAbstractionLayer\Field\ManyToManyAssociationField;
  17. use Shopware\Core\Framework\DataAbstractionLayer\Field\ReferenceVersionField;
  18. use Shopware\Core\Framework\DataAbstractionLayer\Field\StorageAware;
  19. use Shopware\Core\Framework\DataAbstractionLayer\Field\TranslatedField;
  20. use Shopware\Core\Framework\DataAbstractionLayer\Field\VersionField;
  21. use Shopware\Core\Framework\DataAbstractionLayer\Search\Criteria;
  22. use Shopware\Core\Framework\DataAbstractionLayer\Search\CriteriaPartInterface;
  23. use Shopware\Core\Framework\Log\Package;
  24. use Shopware\Core\Framework\Uuid\Uuid;
  25. /**
  26.  * This class acts only as helper/common class for all dbal operations for entity definitions.
  27.  * It knows how an association should be joined, how a parent-child inheritance should act, how translation chains work, ...
  28.  *
  29.  * @internal
  30.  */
  31. #[Package('core')]
  32. class EntityDefinitionQueryHelper
  33. {
  34.     final public const HAS_TO_MANY_JOIN 'has_to_many_join';
  35.     public static function escape(string $string): string
  36.     {
  37.         if (mb_strpos($string'`') !== false) {
  38.             throw new \InvalidArgumentException('Backtick not allowed in identifier');
  39.         }
  40.         return '`' $string '`';
  41.     }
  42.     public static function columnExists(Connection $connectionstring $tablestring $column): bool
  43.     {
  44.         $exists $connection->fetchOne(
  45.             'SHOW COLUMNS FROM ' self::escape($table) . ' WHERE `Field` LIKE :column',
  46.             ['column' => $column]
  47.         );
  48.         return !empty($exists);
  49.     }
  50.     public static function tableExists(Connection $connectionstring $table): bool
  51.     {
  52.         return !empty(
  53.             $connection->fetchOne(
  54.                 'SHOW TABLES LIKE :table',
  55.                 [
  56.                     'table' => $table,
  57.                 ]
  58.             )
  59.         );
  60.     }
  61.     /**
  62.      * @return list<Field>
  63.      */
  64.     public static function getFieldsOfAccessor(EntityDefinition $definitionstring $accessorbool $resolveTranslated true): array
  65.     {
  66.         $parts explode('.'$accessor);
  67.         if ($definition->getEntityName() === $parts[0]) {
  68.             array_shift($parts);
  69.         }
  70.         $accessorFields = [];
  71.         $source $definition;
  72.         foreach ($parts as $part) {
  73.             if ($part === 'extensions') {
  74.                 continue;
  75.             }
  76.             $fields $source->getFields();
  77.             $field $fields->get($part);
  78.             // continue if the current part is not a real field to allow access on collections
  79.             if (!$field) {
  80.                 continue;
  81.             }
  82.             if ($field instanceof TranslatedField && $resolveTranslated) {
  83.                 /** @var EntityDefinition $source */
  84.                 $source $source->getTranslationDefinition();
  85.                 $fields $source->getFields();
  86.                 $accessorFields[] = $fields->get($part);
  87.                 continue;
  88.             }
  89.             if ($field instanceof TranslatedField && !$resolveTranslated) {
  90.                 $accessorFields[] = $field;
  91.                 continue;
  92.             }
  93.             $accessorFields[] = $field;
  94.             if (!$field instanceof AssociationField) {
  95.                 break;
  96.             }
  97.             $source $field->getReferenceDefinition();
  98.             if ($field instanceof ManyToManyAssociationField) {
  99.                 $source $field->getToManyReferenceDefinition();
  100.             }
  101.         }
  102.         return \array_values(\array_filter($accessorFields));
  103.     }
  104.     /**
  105.      * Returns the field instance of the provided fieldName.
  106.      *
  107.      * @example
  108.      *
  109.      * fieldName => 'product.name'
  110.      * Returns the (new TranslatedField('name')) declaration
  111.      *
  112.      * Allows additionally nested referencing
  113.      *
  114.      * fieldName => 'category.products.name'
  115.      * Returns as well the above field definition
  116.      */
  117.     public function getField(string $fieldNameEntityDefinition $definitionstring $rootbool $resolveTranslated true): ?Field
  118.     {
  119.         $original $fieldName;
  120.         $prefix $root '.';
  121.         if (mb_strpos($fieldName$prefix) === 0) {
  122.             $fieldName mb_substr($fieldNamemb_strlen($prefix));
  123.         } else {
  124.             $original $prefix $original;
  125.         }
  126.         $fields $definition->getFields();
  127.         $isAssociation mb_strpos($fieldName'.') !== false;
  128.         if (!$isAssociation && $fields->has($fieldName)) {
  129.             return $fields->get($fieldName);
  130.         }
  131.         $associationKey explode('.'$fieldName);
  132.         $associationKey array_shift($associationKey);
  133.         $field $fields->get($associationKey);
  134.         if ($field instanceof TranslatedField && $resolveTranslated) {
  135.             return self::getTranslatedField($definition$field);
  136.         }
  137.         if ($field instanceof TranslatedField) {
  138.             return $field;
  139.         }
  140.         if (!$field instanceof AssociationField) {
  141.             return $field;
  142.         }
  143.         $referenceDefinition $field->getReferenceDefinition();
  144.         if ($field instanceof ManyToManyAssociationField) {
  145.             $referenceDefinition $field->getToManyReferenceDefinition();
  146.         }
  147.         return $this->getField(
  148.             $original,
  149.             $referenceDefinition,
  150.             $root '.' $field->getPropertyName()
  151.         );
  152.     }
  153.     /**
  154.      * Builds the sql field accessor for the provided field.
  155.      *
  156.      * @example
  157.      *
  158.      * fieldName => product.taxId
  159.      * root      => product
  160.      * returns   => `product`.`tax_id`
  161.      *
  162.      * This function is also used for complex field accessors like JsonArray Field, JsonObject fields.
  163.      * It considers the translation and parent-child inheritance.
  164.      *
  165.      * fieldName => product.name
  166.      * root      => product
  167.      * return    => COALESCE(`product.translation`.`name`,`product.parent.translation`.`name`)
  168.      *
  169.      * @throws UnmappedFieldException
  170.      */
  171.     public function getFieldAccessor(string $fieldNameEntityDefinition $definitionstring $rootContext $context): string
  172.     {
  173.         $fieldName str_replace('extensions.'''$fieldName);
  174.         $original $fieldName;
  175.         $prefix $root '.';
  176.         if (str_starts_with($fieldName$prefix)) {
  177.             $fieldName mb_substr($fieldNamemb_strlen($prefix));
  178.         } else {
  179.             $original $prefix $original;
  180.         }
  181.         $fields $definition->getFields();
  182.         if ($fields->has($fieldName)) {
  183.             $field $fields->get($fieldName);
  184.             return $this->buildInheritedAccessor($field$root$definition$context$fieldName);
  185.         }
  186.         $parts explode('.'$fieldName);
  187.         $associationKey array_shift($parts);
  188.         if ($associationKey === 'extensions') {
  189.             $associationKey array_shift($parts);
  190.         }
  191.         if (!\is_string($associationKey) || !$fields->has($associationKey)) {
  192.             throw new UnmappedFieldException($original$definition);
  193.         }
  194.         $field $fields->get($associationKey);
  195.         //case for json object fields, other fields has now same option to act with more point notations but hasn't to be an association field. E.g. price.gross
  196.         if (!$field instanceof AssociationField && ($field instanceof StorageAware || $field instanceof TranslatedField)) {
  197.             return $this->buildInheritedAccessor($field$root$definition$context$fieldName);
  198.         }
  199.         if (!$field instanceof AssociationField) {
  200.             throw new \RuntimeException(sprintf('Expected field "%s" to be instance of %s'$associationKeyAssociationField::class));
  201.         }
  202.         $referenceDefinition $field->getReferenceDefinition();
  203.         if ($field instanceof ManyToManyAssociationField) {
  204.             $referenceDefinition $field->getToManyReferenceDefinition();
  205.         }
  206.         return $this->getFieldAccessor(
  207.             $original,
  208.             $referenceDefinition,
  209.             $root '.' $field->getPropertyName(),
  210.             $context
  211.         );
  212.     }
  213.     public static function getAssociationPath(string $accessorEntityDefinition $definition): ?string
  214.     {
  215.         $fields self::getFieldsOfAccessor($definition$accessor);
  216.         $path = [];
  217.         foreach ($fields as $field) {
  218.             if (!$field instanceof AssociationField) {
  219.                 break;
  220.             }
  221.             $path[] = $field->getPropertyName();
  222.         }
  223.         if (empty($path)) {
  224.             return null;
  225.         }
  226.         return implode('.'$path);
  227.     }
  228.     /**
  229.      * Creates the basic root query for the provided entity definition and application context.
  230.      * It considers the current context version.
  231.      */
  232.     public function getBaseQuery(QueryBuilder $queryEntityDefinition $definitionContext $context): QueryBuilder
  233.     {
  234.         $table $definition->getEntityName();
  235.         $query->from(self::escape($table));
  236.         $useVersionFallback // only applies for versioned entities
  237.             $definition->isVersionAware()
  238.             // only add live fallback if the current version isn't the live version
  239.             && $context->getVersionId() !== Defaults::LIVE_VERSION
  240.             // sub entities have no live fallback
  241.             && $definition->getParentDefinition() === null;
  242.         if ($useVersionFallback) {
  243.             $this->joinVersion($query$definition$definition->getEntityName(), $context);
  244.         } elseif ($definition->isVersionAware()) {
  245.             $versionIdField array_filter(
  246.                 $definition->getPrimaryKeys()->getElements(),
  247.                 fn ($f) => $f instanceof VersionField || $f instanceof ReferenceVersionField
  248.             );
  249.             if (!$versionIdField) {
  250.                 throw new \RuntimeException('Missing `VersionField` in `' $definition->getClass() . '`');
  251.             }
  252.             /** @var FkField $versionIdField */
  253.             $versionIdField array_shift($versionIdField);
  254.             $query->andWhere(self::escape($table) . '.' self::escape($versionIdField->getStorageName()) . ' = :version');
  255.             $query->setParameter('version'Uuid::fromHexToBytes($context->getVersionId()));
  256.         }
  257.         return $query;
  258.     }
  259.     /**
  260.      * Used for dynamic sql joins. In case that the given fieldName is unknown or event nested with multiple association
  261.      * roots, the function can resolve each association part of the field name, even if one part of the fieldName contains a translation or event inherited data field.
  262.      */
  263.     public function resolveAccessor(
  264.         string $accessor,
  265.         EntityDefinition $definition,
  266.         string $root,
  267.         QueryBuilder $query,
  268.         Context $context,
  269.         ?CriteriaPartInterface $criteriaPart null
  270.     ): void {
  271.         $accessor str_replace('extensions.'''$accessor);
  272.         $parts explode('.'$accessor);
  273.         if ($parts[0] === $root) {
  274.             unset($parts[0]);
  275.         }
  276.         $alias $root;
  277.         $path = [$root];
  278.         $rootDefinition $definition;
  279.         foreach ($parts as $part) {
  280.             $field $definition->getFields()->get($part);
  281.             if ($field === null) {
  282.                 return;
  283.             }
  284.             $resolver $field->getResolver();
  285.             if ($resolver === null) {
  286.                 continue;
  287.             }
  288.             if ($field instanceof AssociationField) {
  289.                 $path[] = $field->getPropertyName();
  290.             }
  291.             $currentPath implode('.'$path);
  292.             $resolverContext = new FieldResolverContext($currentPath$alias$field$definition$rootDefinition$query$context$criteriaPart);
  293.             $alias $this->callResolver($resolverContext);
  294.             if (!$field instanceof AssociationField) {
  295.                 return;
  296.             }
  297.             $definition $field->getReferenceDefinition();
  298.             if ($field instanceof ManyToManyAssociationField) {
  299.                 $definition $field->getToManyReferenceDefinition();
  300.             }
  301.             if ($definition->isInheritanceAware() && $context->considerInheritance() && $parent $definition->getField('parent')) {
  302.                 $resolverContext = new FieldResolverContext($currentPath$alias$parent$definition$rootDefinition$query$context$criteriaPart);
  303.                 $this->callResolver($resolverContext);
  304.             }
  305.         }
  306.     }
  307.     public function resolveField(Field $fieldEntityDefinition $definitionstring $rootQueryBuilder $queryContext $context): void
  308.     {
  309.         $resolver $field->getResolver();
  310.         if ($resolver === null) {
  311.             return;
  312.         }
  313.         $resolver->join(new FieldResolverContext($root$root$field$definition$definition$query$contextnull));
  314.     }
  315.     /**
  316.      * Adds the full translation select part to the provided sql query.
  317.      * Considers the parent-child inheritance and provided context language inheritance.
  318.      * The raw parameter allows to skip the parent-child inheritance.
  319.      *
  320.      * @param array<string, mixed> $partial
  321.      */
  322.     public function addTranslationSelect(string $rootEntityDefinition $definitionQueryBuilder $queryContext $context, array $partial = []): void
  323.     {
  324.         $translationDefinition $definition->getTranslationDefinition();
  325.         if (!$translationDefinition) {
  326.             return;
  327.         }
  328.         $fields $translationDefinition->getFields();
  329.         if (!empty($partial)) {
  330.             $fields $translationDefinition->getFields()->filter(fn (Field $field) => $field->is(PrimaryKey::class)
  331.                 || isset($partial[$field->getPropertyName()])
  332.                 || $field instanceof FkField);
  333.         }
  334.         $inherited $context->considerInheritance() && $definition->isInheritanceAware();
  335.         $chain EntityDefinitionQueryHelper::buildTranslationChain($root$context$inherited);
  336.         /** @var TranslatedField $field */
  337.         foreach ($fields as $field) {
  338.             if (!$field instanceof StorageAware) {
  339.                 continue;
  340.             }
  341.             $selects = [];
  342.             foreach ($chain as $select) {
  343.                 $vars = [
  344.                     '#root#' => $select,
  345.                     '#field#' => $field->getPropertyName(),
  346.                 ];
  347.                 $query->addSelect(str_replace(
  348.                     array_keys($vars),
  349.                     array_values($vars),
  350.                     EntityDefinitionQueryHelper::escape('#root#.#field#')
  351.                 ));
  352.                 $selects[] = str_replace(
  353.                     array_keys($vars),
  354.                     array_values($vars),
  355.                     self::escape('#root#.#field#')
  356.                 );
  357.             }
  358.             //check if current field is a translated field of the origin definition
  359.             $origin $definition->getFields()->get($field->getPropertyName());
  360.             if (!$origin instanceof TranslatedField) {
  361.                 continue;
  362.             }
  363.             $selects[] = self::escape($root '.translation.' $field->getPropertyName());
  364.             //add selection for resolved parent-child and language inheritance
  365.             $query->addSelect(
  366.                 sprintf('COALESCE(%s)'implode(','$selects)) . ' as '
  367.                 self::escape($root '.' $field->getPropertyName())
  368.             );
  369.         }
  370.     }
  371.     public function joinVersion(QueryBuilder $queryEntityDefinition $definitionstring $rootContext $context): void
  372.     {
  373.         $table $definition->getEntityName();
  374.         $versionRoot $root '_version';
  375.         $query->andWhere(
  376.             str_replace(
  377.                 ['#root#''#table#''#version#'],
  378.                 [self::escape($root), self::escape($table), self::escape($versionRoot)],
  379.                 '#root#.version_id = COALESCE(
  380.                     (SELECT DISTINCT version_id FROM #table# AS #version# WHERE #version#.`id` = #root#.`id` AND `version_id` = :version),
  381.                     :liveVersion
  382.                 )'
  383.             )
  384.         );
  385.         $query->setParameter('liveVersion'Uuid::fromHexToBytes(Defaults::LIVE_VERSION));
  386.         $query->setParameter('version'Uuid::fromHexToBytes($context->getVersionId()));
  387.     }
  388.     public static function getTranslatedField(EntityDefinition $definitionTranslatedField $translatedField): Field
  389.     {
  390.         $translationDefinition $definition->getTranslationDefinition();
  391.         if ($translationDefinition === null) {
  392.             throw new \RuntimeException(sprintf('Entity %s has no translation definition'$definition->getEntityName()));
  393.         }
  394.         $field $translationDefinition->getFields()->get($translatedField->getPropertyName());
  395.         if ($field === null || !$field instanceof StorageAware || !$field instanceof Field) {
  396.             throw new \RuntimeException(
  397.                 sprintf(
  398.                     'Missing translated storage aware property %s in %s',
  399.                     $translatedField->getPropertyName(),
  400.                     $translationDefinition->getEntityName()
  401.                 )
  402.             );
  403.         }
  404.         return $field;
  405.     }
  406.     /**
  407.      * @return list<string>
  408.      */
  409.     public static function buildTranslationChain(string $rootContext $contextbool $includeParent): array
  410.     {
  411.         $chain = [];
  412.         $count \count($context->getLanguageIdChain()) - 1;
  413.         for ($i $count$i >= 1; --$i) {
  414.             $chain[] = $root '.translation.fallback_' $i;
  415.             if ($includeParent) {
  416.                 $chain[] = $root '.parent.translation.fallback_' $i;
  417.             }
  418.         }
  419.         $chain[] = $root '.translation';
  420.         if ($includeParent) {
  421.             $chain[] = $root '.parent.translation';
  422.         }
  423.         return $chain;
  424.     }
  425.     public function addIdCondition(Criteria $criteriaEntityDefinition $definitionQueryBuilder $query): void
  426.     {
  427.         $primaryKeys $criteria->getIds();
  428.         $primaryKeys array_values($primaryKeys);
  429.         if (empty($primaryKeys)) {
  430.             return;
  431.         }
  432.         if (!\is_array($primaryKeys[0]) || \count($primaryKeys[0]) === 1) {
  433.             $primaryKeyField $definition->getPrimaryKeys()->first();
  434.             if ($primaryKeyField instanceof IdField || $primaryKeyField instanceof FkField) {
  435.                 $primaryKeys array_map(function ($id) {
  436.                     if (\is_array($id)) {
  437.                         /** @var string $shiftedId */
  438.                         $shiftedId array_shift($id);
  439.                         return Uuid::fromHexToBytes($shiftedId);
  440.                     }
  441.                     return Uuid::fromHexToBytes($id);
  442.                 }, $primaryKeys);
  443.             }
  444.             if (!$primaryKeyField instanceof StorageAware) {
  445.                 throw new \RuntimeException('Primary key fields has to be an instance of StorageAware');
  446.             }
  447.             $query->andWhere(sprintf(
  448.                 '%s.%s IN (:ids)',
  449.                 EntityDefinitionQueryHelper::escape($definition->getEntityName()),
  450.                 EntityDefinitionQueryHelper::escape($primaryKeyField->getStorageName())
  451.             ));
  452.             $query->setParameter('ids'$primaryKeysConnection::PARAM_STR_ARRAY);
  453.             return;
  454.         }
  455.         $this->addIdConditionWithOr($criteria$definition$query);
  456.     }
  457.     private function callResolver(FieldResolverContext $context): string
  458.     {
  459.         $resolver $context->getField()->getResolver();
  460.         if (!$resolver) {
  461.             return $context->getAlias();
  462.         }
  463.         return $resolver->join($context);
  464.     }
  465.     private function addIdConditionWithOr(Criteria $criteriaEntityDefinition $definitionQueryBuilder $query): void
  466.     {
  467.         $wheres = [];
  468.         foreach ($criteria->getIds() as $primaryKey) {
  469.             if (!\is_array($primaryKey)) {
  470.                 $primaryKey = ['id' => $primaryKey];
  471.             }
  472.             $where = [];
  473.             foreach ($primaryKey as $propertyName => $value) {
  474.                 $field $definition->getFields()->get($propertyName);
  475.                 if (!$field) {
  476.                     throw new UnmappedFieldException($propertyName$definition);
  477.                 }
  478.                 if (!$field instanceof StorageAware) {
  479.                     throw new \RuntimeException('Only storage aware fields are supported in read condition');
  480.                 }
  481.                 if ($field instanceof IdField || $field instanceof FkField) {
  482.                     $value Uuid::fromHexToBytes($value);
  483.                 }
  484.                 $key 'pk' Uuid::randomHex();
  485.                 $accessor EntityDefinitionQueryHelper::escape($definition->getEntityName()) . '.' EntityDefinitionQueryHelper::escape($field->getStorageName());
  486.                 $where[$accessor] = $accessor ' = :' $key;
  487.                 $query->setParameter($key$value);
  488.             }
  489.             $wheres[] = '(' implode(' AND '$where) . ')';
  490.         }
  491.         $wheres implode(' OR '$wheres);
  492.         $query->andWhere($wheres);
  493.     }
  494.     /**
  495.      * @param list<string> $chain
  496.      */
  497.     private function getTranslationFieldAccessor(Field $fieldstring $accessor, array $chainContext $context): string
  498.     {
  499.         if (!$field instanceof StorageAware) {
  500.             throw new \RuntimeException('Only storage aware fields are supported as translated field');
  501.         }
  502.         $selects = [];
  503.         foreach ($chain as $part) {
  504.             $select $this->buildFieldSelector($part$field$context$accessor);
  505.             $selects[] = str_replace(
  506.                 '`.' self::escape($field->getStorageName()),
  507.                 '.' $field->getPropertyName() . '`',
  508.                 $select
  509.             );
  510.         }
  511.         /*
  512.          * Simplified Example:
  513.          * COALESCE(
  514.              JSON_UNQUOTE(JSON_EXTRACT(`tbl.translation.fallback_2`.`translated_attributes`, '$.path')) AS datetime(3), # child language
  515.              JSON_UNQUOTE(JSON_EXTRACT(`tbl.translation.fallback_1`.`translated_attributes`, '$.path')) AS datetime(3), # root language
  516.              JSON_UNQUOTE(JSON_EXTRACT(`tbl.translation`.`translated_attributes`, '$.path')) AS datetime(3) # system language
  517.            );
  518.          */
  519.         return sprintf('COALESCE(%s)'implode(','$selects));
  520.     }
  521.     private function buildInheritedAccessor(
  522.         Field $field,
  523.         string $root,
  524.         EntityDefinition $definition,
  525.         Context $context,
  526.         string $original
  527.     ): string {
  528.         if ($field instanceof TranslatedField) {
  529.             $inheritedChain self::buildTranslationChain($root$context$definition->isInheritanceAware() && $context->considerInheritance());
  530.             $translatedField self::getTranslatedField($definition$field);
  531.             return $this->getTranslationFieldAccessor($translatedField$original$inheritedChain$context);
  532.         }
  533.         $select $this->buildFieldSelector($root$field$context$original);
  534.         if (!$field->is(Inherited::class) || !$context->considerInheritance()) {
  535.             return $select;
  536.         }
  537.         $parentSelect $this->buildFieldSelector($root '.parent'$field$context$original);
  538.         return sprintf('IFNULL(%s, %s)'$select$parentSelect);
  539.     }
  540.     private function buildFieldSelector(string $rootField $fieldContext $contextstring $accessor): string
  541.     {
  542.         $accessorBuilder $field->getAccessorBuilder();
  543.         if (!$accessorBuilder) {
  544.             throw new FieldAccessorBuilderNotFoundException($field->getPropertyName());
  545.         }
  546.         $accessor $accessorBuilder->buildAccessor($root$field$context$accessor);
  547.         if (!$accessor) {
  548.             throw new \RuntimeException(sprintf('Can not build accessor for field "%s" on root "%s"'$field->getPropertyName(), $root));
  549.         }
  550.         return $accessor;
  551.     }
  552. }