vendor/doctrine/orm/lib/Doctrine/ORM/UnitOfWork.php line 2950

Open in your IDE?
  1. <?php
  2. declare(strict_types=1);
  3. namespace Doctrine\ORM;
  4. use BackedEnum;
  5. use DateTimeInterface;
  6. use Doctrine\Common\Collections\ArrayCollection;
  7. use Doctrine\Common\Collections\Collection;
  8. use Doctrine\Common\EventManager;
  9. use Doctrine\DBAL\Connections\PrimaryReadReplicaConnection;
  10. use Doctrine\DBAL\LockMode;
  11. use Doctrine\Deprecations\Deprecation;
  12. use Doctrine\ORM\Cache\Persister\CachedPersister;
  13. use Doctrine\ORM\Event\ListenersInvoker;
  14. use Doctrine\ORM\Event\OnFlushEventArgs;
  15. use Doctrine\ORM\Event\PostFlushEventArgs;
  16. use Doctrine\ORM\Event\PostPersistEventArgs;
  17. use Doctrine\ORM\Event\PostRemoveEventArgs;
  18. use Doctrine\ORM\Event\PostUpdateEventArgs;
  19. use Doctrine\ORM\Event\PreFlushEventArgs;
  20. use Doctrine\ORM\Event\PrePersistEventArgs;
  21. use Doctrine\ORM\Event\PreRemoveEventArgs;
  22. use Doctrine\ORM\Event\PreUpdateEventArgs;
  23. use Doctrine\ORM\Exception\EntityIdentityCollisionException;
  24. use Doctrine\ORM\Exception\ORMException;
  25. use Doctrine\ORM\Exception\UnexpectedAssociationValue;
  26. use Doctrine\ORM\Id\AssignedGenerator;
  27. use Doctrine\ORM\Internal\HydrationCompleteHandler;
  28. use Doctrine\ORM\Internal\TopologicalSort;
  29. use Doctrine\ORM\Mapping\ClassMetadata;
  30. use Doctrine\ORM\Mapping\MappingException;
  31. use Doctrine\ORM\Mapping\Reflection\ReflectionPropertiesGetter;
  32. use Doctrine\ORM\Persisters\Collection\CollectionPersister;
  33. use Doctrine\ORM\Persisters\Collection\ManyToManyPersister;
  34. use Doctrine\ORM\Persisters\Collection\OneToManyPersister;
  35. use Doctrine\ORM\Persisters\Entity\BasicEntityPersister;
  36. use Doctrine\ORM\Persisters\Entity\EntityPersister;
  37. use Doctrine\ORM\Persisters\Entity\JoinedSubclassPersister;
  38. use Doctrine\ORM\Persisters\Entity\SingleTablePersister;
  39. use Doctrine\ORM\Proxy\InternalProxy;
  40. use Doctrine\ORM\Utility\IdentifierFlattener;
  41. use Doctrine\Persistence\Mapping\RuntimeReflectionService;
  42. use Doctrine\Persistence\NotifyPropertyChanged;
  43. use Doctrine\Persistence\ObjectManagerAware;
  44. use Doctrine\Persistence\PropertyChangedListener;
  45. use Exception;
  46. use InvalidArgumentException;
  47. use RuntimeException;
  48. use Throwable;
  49. use UnexpectedValueException;
  50. use function array_chunk;
  51. use function array_combine;
  52. use function array_diff_key;
  53. use function array_filter;
  54. use function array_key_exists;
  55. use function array_map;
  56. use function array_merge;
  57. use function array_sum;
  58. use function array_values;
  59. use function assert;
  60. use function current;
  61. use function func_get_arg;
  62. use function func_num_args;
  63. use function get_class;
  64. use function get_debug_type;
  65. use function implode;
  66. use function in_array;
  67. use function is_array;
  68. use function is_object;
  69. use function method_exists;
  70. use function reset;
  71. use function spl_object_id;
  72. use function sprintf;
  73. use function strtolower;
  74. /**
  75.  * The UnitOfWork is responsible for tracking changes to objects during an
  76.  * "object-level" transaction and for writing out changes to the database
  77.  * in the correct order.
  78.  *
  79.  * Internal note: This class contains highly performance-sensitive code.
  80.  *
  81.  * @psalm-import-type AssociationMapping from ClassMetadata
  82.  */
  83. class UnitOfWork implements PropertyChangedListener
  84. {
  85.     /**
  86.      * An entity is in MANAGED state when its persistence is managed by an EntityManager.
  87.      */
  88.     public const STATE_MANAGED 1;
  89.     /**
  90.      * An entity is new if it has just been instantiated (i.e. using the "new" operator)
  91.      * and is not (yet) managed by an EntityManager.
  92.      */
  93.     public const STATE_NEW 2;
  94.     /**
  95.      * A detached entity is an instance with persistent state and identity that is not
  96.      * (or no longer) associated with an EntityManager (and a UnitOfWork).
  97.      */
  98.     public const STATE_DETACHED 3;
  99.     /**
  100.      * A removed entity instance is an instance with a persistent identity,
  101.      * associated with an EntityManager, whose persistent state will be deleted
  102.      * on commit.
  103.      */
  104.     public const STATE_REMOVED 4;
  105.     /**
  106.      * Hint used to collect all primary keys of associated entities during hydration
  107.      * and execute it in a dedicated query afterwards
  108.      *
  109.      * @see https://www.doctrine-project.org/projects/doctrine-orm/en/stable/reference/dql-doctrine-query-language.html#temporarily-change-fetch-mode-in-dql
  110.      */
  111.     public const HINT_DEFEREAGERLOAD 'deferEagerLoad';
  112.     /**
  113.      * The identity map that holds references to all managed entities that have
  114.      * an identity. The entities are grouped by their class name.
  115.      * Since all classes in a hierarchy must share the same identifier set,
  116.      * we always take the root class name of the hierarchy.
  117.      *
  118.      * @var mixed[]
  119.      * @psalm-var array<class-string, array<string, object>>
  120.      */
  121.     private $identityMap = [];
  122.     /**
  123.      * Map of all identifiers of managed entities.
  124.      * Keys are object ids (spl_object_id).
  125.      *
  126.      * @var mixed[]
  127.      * @psalm-var array<int, array<string, mixed>>
  128.      */
  129.     private $entityIdentifiers = [];
  130.     /**
  131.      * Map of the original entity data of managed entities.
  132.      * Keys are object ids (spl_object_id). This is used for calculating changesets
  133.      * at commit time.
  134.      *
  135.      * Internal note: Note that PHPs "copy-on-write" behavior helps a lot with memory usage.
  136.      *                A value will only really be copied if the value in the entity is modified
  137.      *                by the user.
  138.      *
  139.      * @psalm-var array<int, array<string, mixed>>
  140.      */
  141.     private $originalEntityData = [];
  142.     /**
  143.      * Map of entity changes. Keys are object ids (spl_object_id).
  144.      * Filled at the beginning of a commit of the UnitOfWork and cleaned at the end.
  145.      *
  146.      * @psalm-var array<int, array<string, array{mixed, mixed}>>
  147.      */
  148.     private $entityChangeSets = [];
  149.     /**
  150.      * The (cached) states of any known entities.
  151.      * Keys are object ids (spl_object_id).
  152.      *
  153.      * @psalm-var array<int, self::STATE_*>
  154.      */
  155.     private $entityStates = [];
  156.     /**
  157.      * Map of entities that are scheduled for dirty checking at commit time.
  158.      * This is only used for entities with a change tracking policy of DEFERRED_EXPLICIT.
  159.      * Keys are object ids (spl_object_id).
  160.      *
  161.      * @psalm-var array<class-string, array<int, mixed>>
  162.      */
  163.     private $scheduledForSynchronization = [];
  164.     /**
  165.      * A list of all pending entity insertions.
  166.      *
  167.      * @psalm-var array<int, object>
  168.      */
  169.     private $entityInsertions = [];
  170.     /**
  171.      * A list of all pending entity updates.
  172.      *
  173.      * @psalm-var array<int, object>
  174.      */
  175.     private $entityUpdates = [];
  176.     /**
  177.      * Any pending extra updates that have been scheduled by persisters.
  178.      *
  179.      * @psalm-var array<int, array{object, array<string, array{mixed, mixed}>}>
  180.      */
  181.     private $extraUpdates = [];
  182.     /**
  183.      * A list of all pending entity deletions.
  184.      *
  185.      * @psalm-var array<int, object>
  186.      */
  187.     private $entityDeletions = [];
  188.     /**
  189.      * New entities that were discovered through relationships that were not
  190.      * marked as cascade-persist. During flush, this array is populated and
  191.      * then pruned of any entities that were discovered through a valid
  192.      * cascade-persist path. (Leftovers cause an error.)
  193.      *
  194.      * Keys are OIDs, payload is a two-item array describing the association
  195.      * and the entity.
  196.      *
  197.      * @var array<int, array{AssociationMapping, object}> indexed by respective object spl_object_id()
  198.      */
  199.     private $nonCascadedNewDetectedEntities = [];
  200.     /**
  201.      * All pending collection deletions.
  202.      *
  203.      * @psalm-var array<int, PersistentCollection<array-key, object>>
  204.      */
  205.     private $collectionDeletions = [];
  206.     /**
  207.      * All pending collection updates.
  208.      *
  209.      * @psalm-var array<int, PersistentCollection<array-key, object>>
  210.      */
  211.     private $collectionUpdates = [];
  212.     /**
  213.      * List of collections visited during changeset calculation on a commit-phase of a UnitOfWork.
  214.      * At the end of the UnitOfWork all these collections will make new snapshots
  215.      * of their data.
  216.      *
  217.      * @psalm-var array<int, PersistentCollection<array-key, object>>
  218.      */
  219.     private $visitedCollections = [];
  220.     /**
  221.      * List of collections visited during the changeset calculation that contain to-be-removed
  222.      * entities and need to have keys removed post commit.
  223.      *
  224.      * Indexed by Collection object ID, which also serves as the key in self::$visitedCollections;
  225.      * values are the key names that need to be removed.
  226.      *
  227.      * @psalm-var array<int, array<array-key, true>>
  228.      */
  229.     private $pendingCollectionElementRemovals = [];
  230.     /**
  231.      * The EntityManager that "owns" this UnitOfWork instance.
  232.      *
  233.      * @var EntityManagerInterface
  234.      */
  235.     private $em;
  236.     /**
  237.      * The entity persister instances used to persist entity instances.
  238.      *
  239.      * @psalm-var array<string, EntityPersister>
  240.      */
  241.     private $persisters = [];
  242.     /**
  243.      * The collection persister instances used to persist collections.
  244.      *
  245.      * @psalm-var array<array-key, CollectionPersister>
  246.      */
  247.     private $collectionPersisters = [];
  248.     /**
  249.      * The EventManager used for dispatching events.
  250.      *
  251.      * @var EventManager
  252.      */
  253.     private $evm;
  254.     /**
  255.      * The ListenersInvoker used for dispatching events.
  256.      *
  257.      * @var ListenersInvoker
  258.      */
  259.     private $listenersInvoker;
  260.     /**
  261.      * The IdentifierFlattener used for manipulating identifiers
  262.      *
  263.      * @var IdentifierFlattener
  264.      */
  265.     private $identifierFlattener;
  266.     /**
  267.      * Orphaned entities that are scheduled for removal.
  268.      *
  269.      * @psalm-var array<int, object>
  270.      */
  271.     private $orphanRemovals = [];
  272.     /**
  273.      * Read-Only objects are never evaluated
  274.      *
  275.      * @var array<int, true>
  276.      */
  277.     private $readOnlyObjects = [];
  278.     /**
  279.      * Map of Entity Class-Names and corresponding IDs that should eager loaded when requested.
  280.      *
  281.      * @psalm-var array<class-string, array<string, mixed>>
  282.      */
  283.     private $eagerLoadingEntities = [];
  284.     /** @var array<string, array<string, mixed>> */
  285.     private $eagerLoadingCollections = [];
  286.     /** @var bool */
  287.     protected $hasCache false;
  288.     /**
  289.      * Helper for handling completion of hydration
  290.      *
  291.      * @var HydrationCompleteHandler
  292.      */
  293.     private $hydrationCompleteHandler;
  294.     /** @var ReflectionPropertiesGetter */
  295.     private $reflectionPropertiesGetter;
  296.     /**
  297.      * Initializes a new UnitOfWork instance, bound to the given EntityManager.
  298.      */
  299.     public function __construct(EntityManagerInterface $em)
  300.     {
  301.         $this->em                         $em;
  302.         $this->evm                        $em->getEventManager();
  303.         $this->listenersInvoker           = new ListenersInvoker($em);
  304.         $this->hasCache                   $em->getConfiguration()->isSecondLevelCacheEnabled();
  305.         $this->identifierFlattener        = new IdentifierFlattener($this$em->getMetadataFactory());
  306.         $this->hydrationCompleteHandler   = new HydrationCompleteHandler($this->listenersInvoker$em);
  307.         $this->reflectionPropertiesGetter = new ReflectionPropertiesGetter(new RuntimeReflectionService());
  308.     }
  309.     /**
  310.      * Commits the UnitOfWork, executing all operations that have been postponed
  311.      * up to this point. The state of all managed entities will be synchronized with
  312.      * the database.
  313.      *
  314.      * The operations are executed in the following order:
  315.      *
  316.      * 1) All entity insertions
  317.      * 2) All entity updates
  318.      * 3) All collection deletions
  319.      * 4) All collection updates
  320.      * 5) All entity deletions
  321.      *
  322.      * @param object|mixed[]|null $entity
  323.      *
  324.      * @return void
  325.      *
  326.      * @throws Exception
  327.      */
  328.     public function commit($entity null)
  329.     {
  330.         if ($entity !== null) {
  331.             Deprecation::triggerIfCalledFromOutside(
  332.                 'doctrine/orm',
  333.                 'https://github.com/doctrine/orm/issues/8459',
  334.                 'Calling %s() with any arguments to commit specific entities is deprecated and will not be supported in Doctrine ORM 3.0.',
  335.                 __METHOD__
  336.             );
  337.         }
  338.         $connection $this->em->getConnection();
  339.         if ($connection instanceof PrimaryReadReplicaConnection) {
  340.             $connection->ensureConnectedToPrimary();
  341.         }
  342.         // Raise preFlush
  343.         if ($this->evm->hasListeners(Events::preFlush)) {
  344.             $this->evm->dispatchEvent(Events::preFlush, new PreFlushEventArgs($this->em));
  345.         }
  346.         // Compute changes done since last commit.
  347.         if ($entity === null) {
  348.             $this->computeChangeSets();
  349.         } elseif (is_object($entity)) {
  350.             $this->computeSingleEntityChangeSet($entity);
  351.         } elseif (is_array($entity)) {
  352.             foreach ($entity as $object) {
  353.                 $this->computeSingleEntityChangeSet($object);
  354.             }
  355.         }
  356.         if (
  357.             ! ($this->entityInsertions ||
  358.                 $this->entityDeletions ||
  359.                 $this->entityUpdates ||
  360.                 $this->collectionUpdates ||
  361.                 $this->collectionDeletions ||
  362.                 $this->orphanRemovals)
  363.         ) {
  364.             $this->dispatchOnFlushEvent();
  365.             $this->dispatchPostFlushEvent();
  366.             $this->postCommitCleanup($entity);
  367.             return; // Nothing to do.
  368.         }
  369.         $this->assertThatThereAreNoUnintentionallyNonPersistedAssociations();
  370.         if ($this->orphanRemovals) {
  371.             foreach ($this->orphanRemovals as $orphan) {
  372.                 $this->remove($orphan);
  373.             }
  374.         }
  375.         $this->dispatchOnFlushEvent();
  376.         $conn $this->em->getConnection();
  377.         $conn->beginTransaction();
  378.         try {
  379.             // Collection deletions (deletions of complete collections)
  380.             foreach ($this->collectionDeletions as $collectionToDelete) {
  381.                 // Deferred explicit tracked collections can be removed only when owning relation was persisted
  382.                 $owner $collectionToDelete->getOwner();
  383.                 if ($this->em->getClassMetadata(get_class($owner))->isChangeTrackingDeferredImplicit() || $this->isScheduledForDirtyCheck($owner)) {
  384.                     $this->getCollectionPersister($collectionToDelete->getMapping())->delete($collectionToDelete);
  385.                 }
  386.             }
  387.             if ($this->entityInsertions) {
  388.                 // Perform entity insertions first, so that all new entities have their rows in the database
  389.                 // and can be referred to by foreign keys. The commit order only needs to take new entities
  390.                 // into account (new entities referring to other new entities), since all other types (entities
  391.                 // with updates or scheduled deletions) are currently not a problem, since they are already
  392.                 // in the database.
  393.                 $this->executeInserts();
  394.             }
  395.             if ($this->entityUpdates) {
  396.                 // Updates do not need to follow a particular order
  397.                 $this->executeUpdates();
  398.             }
  399.             // Extra updates that were requested by persisters.
  400.             // This may include foreign keys that could not be set when an entity was inserted,
  401.             // which may happen in the case of circular foreign key relationships.
  402.             if ($this->extraUpdates) {
  403.                 $this->executeExtraUpdates();
  404.             }
  405.             // Collection updates (deleteRows, updateRows, insertRows)
  406.             // No particular order is necessary, since all entities themselves are already
  407.             // in the database
  408.             foreach ($this->collectionUpdates as $collectionToUpdate) {
  409.                 $this->getCollectionPersister($collectionToUpdate->getMapping())->update($collectionToUpdate);
  410.             }
  411.             // Entity deletions come last. Their order only needs to take care of other deletions
  412.             // (first delete entities depending upon others, before deleting depended-upon entities).
  413.             if ($this->entityDeletions) {
  414.                 $this->executeDeletions();
  415.             }
  416.             // Commit failed silently
  417.             if ($conn->commit() === false) {
  418.                 $object is_object($entity) ? $entity null;
  419.                 throw new OptimisticLockException('Commit failed'$object);
  420.             }
  421.         } catch (Throwable $e) {
  422.             $this->em->close();
  423.             if ($conn->isTransactionActive()) {
  424.                 $conn->rollBack();
  425.             }
  426.             $this->afterTransactionRolledBack();
  427.             throw $e;
  428.         }
  429.         $this->afterTransactionComplete();
  430.         // Unset removed entities from collections, and take new snapshots from
  431.         // all visited collections.
  432.         foreach ($this->visitedCollections as $coid => $coll) {
  433.             if (isset($this->pendingCollectionElementRemovals[$coid])) {
  434.                 foreach ($this->pendingCollectionElementRemovals[$coid] as $key => $valueIgnored) {
  435.                     unset($coll[$key]);
  436.                 }
  437.             }
  438.             $coll->takeSnapshot();
  439.         }
  440.         $this->dispatchPostFlushEvent();
  441.         $this->postCommitCleanup($entity);
  442.     }
  443.     /** @param object|object[]|null $entity */
  444.     private function postCommitCleanup($entity): void
  445.     {
  446.         $this->entityInsertions                 =
  447.         $this->entityUpdates                    =
  448.         $this->entityDeletions                  =
  449.         $this->extraUpdates                     =
  450.         $this->collectionUpdates                =
  451.         $this->nonCascadedNewDetectedEntities   =
  452.         $this->collectionDeletions              =
  453.         $this->pendingCollectionElementRemovals =
  454.         $this->visitedCollections               =
  455.         $this->orphanRemovals                   = [];
  456.         if ($entity === null) {
  457.             $this->entityChangeSets $this->scheduledForSynchronization = [];
  458.             return;
  459.         }
  460.         $entities is_object($entity)
  461.             ? [$entity]
  462.             : $entity;
  463.         foreach ($entities as $object) {
  464.             $oid spl_object_id($object);
  465.             $this->clearEntityChangeSet($oid);
  466.             unset($this->scheduledForSynchronization[$this->em->getClassMetadata(get_class($object))->rootEntityName][$oid]);
  467.         }
  468.     }
  469.     /**
  470.      * Computes the changesets of all entities scheduled for insertion.
  471.      */
  472.     private function computeScheduleInsertsChangeSets(): void
  473.     {
  474.         foreach ($this->entityInsertions as $entity) {
  475.             $class $this->em->getClassMetadata(get_class($entity));
  476.             $this->computeChangeSet($class$entity);
  477.         }
  478.     }
  479.     /**
  480.      * Only flushes the given entity according to a ruleset that keeps the UoW consistent.
  481.      *
  482.      * 1. All entities scheduled for insertion, (orphan) removals and changes in collections are processed as well!
  483.      * 2. Read Only entities are skipped.
  484.      * 3. Proxies are skipped.
  485.      * 4. Only if entity is properly managed.
  486.      *
  487.      * @param object $entity
  488.      *
  489.      * @throws InvalidArgumentException
  490.      */
  491.     private function computeSingleEntityChangeSet($entity): void
  492.     {
  493.         $state $this->getEntityState($entity);
  494.         if ($state !== self::STATE_MANAGED && $state !== self::STATE_REMOVED) {
  495.             throw new InvalidArgumentException('Entity has to be managed or scheduled for removal for single computation ' self::objToStr($entity));
  496.         }
  497.         $class $this->em->getClassMetadata(get_class($entity));
  498.         if ($state === self::STATE_MANAGED && $class->isChangeTrackingDeferredImplicit()) {
  499.             $this->persist($entity);
  500.         }
  501.         // Compute changes for INSERTed entities first. This must always happen even in this case.
  502.         $this->computeScheduleInsertsChangeSets();
  503.         if ($class->isReadOnly) {
  504.             return;
  505.         }
  506.         // Ignore uninitialized proxy objects
  507.         if ($this->isUninitializedObject($entity)) {
  508.             return;
  509.         }
  510.         // Only MANAGED entities that are NOT SCHEDULED FOR INSERTION OR DELETION are processed here.
  511.         $oid spl_object_id($entity);
  512.         if (! isset($this->entityInsertions[$oid]) && ! isset($this->entityDeletions[$oid]) && isset($this->entityStates[$oid])) {
  513.             $this->computeChangeSet($class$entity);
  514.         }
  515.     }
  516.     /**
  517.      * Executes any extra updates that have been scheduled.
  518.      */
  519.     private function executeExtraUpdates(): void
  520.     {
  521.         foreach ($this->extraUpdates as $oid => $update) {
  522.             [$entity$changeset] = $update;
  523.             $this->entityChangeSets[$oid] = $changeset;
  524.             $this->getEntityPersister(get_class($entity))->update($entity);
  525.         }
  526.         $this->extraUpdates = [];
  527.     }
  528.     /**
  529.      * Gets the changeset for an entity.
  530.      *
  531.      * @param object $entity
  532.      *
  533.      * @return mixed[][]
  534.      * @psalm-return array<string, array{mixed, mixed}|PersistentCollection>
  535.      */
  536.     public function & getEntityChangeSet($entity)
  537.     {
  538.         $oid  spl_object_id($entity);
  539.         $data = [];
  540.         if (! isset($this->entityChangeSets[$oid])) {
  541.             return $data;
  542.         }
  543.         return $this->entityChangeSets[$oid];
  544.     }
  545.     /**
  546.      * Computes the changes that happened to a single entity.
  547.      *
  548.      * Modifies/populates the following properties:
  549.      *
  550.      * {@link _originalEntityData}
  551.      * If the entity is NEW or MANAGED but not yet fully persisted (only has an id)
  552.      * then it was not fetched from the database and therefore we have no original
  553.      * entity data yet. All of the current entity data is stored as the original entity data.
  554.      *
  555.      * {@link _entityChangeSets}
  556.      * The changes detected on all properties of the entity are stored there.
  557.      * A change is a tuple array where the first entry is the old value and the second
  558.      * entry is the new value of the property. Changesets are used by persisters
  559.      * to INSERT/UPDATE the persistent entity state.
  560.      *
  561.      * {@link _entityUpdates}
  562.      * If the entity is already fully MANAGED (has been fetched from the database before)
  563.      * and any changes to its properties are detected, then a reference to the entity is stored
  564.      * there to mark it for an update.
  565.      *
  566.      * {@link _collectionDeletions}
  567.      * If a PersistentCollection has been de-referenced in a fully MANAGED entity,
  568.      * then this collection is marked for deletion.
  569.      *
  570.      * @param ClassMetadata $class  The class descriptor of the entity.
  571.      * @param object        $entity The entity for which to compute the changes.
  572.      * @psalm-param ClassMetadata<T> $class
  573.      * @psalm-param T $entity
  574.      *
  575.      * @return void
  576.      *
  577.      * @template T of object
  578.      *
  579.      * @ignore
  580.      */
  581.     public function computeChangeSet(ClassMetadata $class$entity)
  582.     {
  583.         $oid spl_object_id($entity);
  584.         if (isset($this->readOnlyObjects[$oid])) {
  585.             return;
  586.         }
  587.         if (! $class->isInheritanceTypeNone()) {
  588.             $class $this->em->getClassMetadata(get_class($entity));
  589.         }
  590.         $invoke $this->listenersInvoker->getSubscribedSystems($classEvents::preFlush) & ~ListenersInvoker::INVOKE_MANAGER;
  591.         if ($invoke !== ListenersInvoker::INVOKE_NONE) {
  592.             $this->listenersInvoker->invoke($classEvents::preFlush$entity, new PreFlushEventArgs($this->em), $invoke);
  593.         }
  594.         $actualData = [];
  595.         foreach ($class->reflFields as $name => $refProp) {
  596.             $value $refProp->getValue($entity);
  597.             if ($class->isCollectionValuedAssociation($name) && $value !== null) {
  598.                 if ($value instanceof PersistentCollection) {
  599.                     if ($value->getOwner() === $entity) {
  600.                         $actualData[$name] = $value;
  601.                         continue;
  602.                     }
  603.                     $value = new ArrayCollection($value->getValues());
  604.                 }
  605.                 // If $value is not a Collection then use an ArrayCollection.
  606.                 if (! $value instanceof Collection) {
  607.                     $value = new ArrayCollection($value);
  608.                 }
  609.                 $assoc $class->associationMappings[$name];
  610.                 // Inject PersistentCollection
  611.                 $value = new PersistentCollection(
  612.                     $this->em,
  613.                     $this->em->getClassMetadata($assoc['targetEntity']),
  614.                     $value
  615.                 );
  616.                 $value->setOwner($entity$assoc);
  617.                 $value->setDirty(! $value->isEmpty());
  618.                 $refProp->setValue($entity$value);
  619.                 $actualData[$name] = $value;
  620.                 continue;
  621.             }
  622.             if (( ! $class->isIdentifier($name) || ! $class->isIdGeneratorIdentity()) && ($name !== $class->versionField)) {
  623.                 $actualData[$name] = $value;
  624.             }
  625.         }
  626.         if (! isset($this->originalEntityData[$oid])) {
  627.             // Entity is either NEW or MANAGED but not yet fully persisted (only has an id).
  628.             // These result in an INSERT.
  629.             $this->originalEntityData[$oid] = $actualData;
  630.             $changeSet                      = [];
  631.             foreach ($actualData as $propName => $actualValue) {
  632.                 if (! isset($class->associationMappings[$propName])) {
  633.                     $changeSet[$propName] = [null$actualValue];
  634.                     continue;
  635.                 }
  636.                 $assoc $class->associationMappings[$propName];
  637.                 if ($assoc['isOwningSide'] && $assoc['type'] & ClassMetadata::TO_ONE) {
  638.                     $changeSet[$propName] = [null$actualValue];
  639.                 }
  640.             }
  641.             $this->entityChangeSets[$oid] = $changeSet;
  642.         } else {
  643.             // Entity is "fully" MANAGED: it was already fully persisted before
  644.             // and we have a copy of the original data
  645.             $originalData           $this->originalEntityData[$oid];
  646.             $isChangeTrackingNotify $class->isChangeTrackingNotify();
  647.             $changeSet              $isChangeTrackingNotify && isset($this->entityChangeSets[$oid])
  648.                 ? $this->entityChangeSets[$oid]
  649.                 : [];
  650.             foreach ($actualData as $propName => $actualValue) {
  651.                 // skip field, its a partially omitted one!
  652.                 if (! (isset($originalData[$propName]) || array_key_exists($propName$originalData))) {
  653.                     continue;
  654.                 }
  655.                 $orgValue $originalData[$propName];
  656.                 if (! empty($class->fieldMappings[$propName]['enumType'])) {
  657.                     if (is_array($orgValue)) {
  658.                         foreach ($orgValue as $id => $val) {
  659.                             if ($val instanceof BackedEnum) {
  660.                                 $orgValue[$id] = $val->value;
  661.                             }
  662.                         }
  663.                     } else {
  664.                         if ($orgValue instanceof BackedEnum) {
  665.                             $orgValue $orgValue->value;
  666.                         }
  667.                     }
  668.                 }
  669.                 // skip if value haven't changed
  670.                 if ($orgValue === $actualValue) {
  671.                     continue;
  672.                 }
  673.                 // if regular field
  674.                 if (! isset($class->associationMappings[$propName])) {
  675.                     if ($isChangeTrackingNotify) {
  676.                         continue;
  677.                     }
  678.                     $changeSet[$propName] = [$orgValue$actualValue];
  679.                     continue;
  680.                 }
  681.                 $assoc $class->associationMappings[$propName];
  682.                 // Persistent collection was exchanged with the "originally"
  683.                 // created one. This can only mean it was cloned and replaced
  684.                 // on another entity.
  685.                 if ($actualValue instanceof PersistentCollection) {
  686.                     $owner $actualValue->getOwner();
  687.                     if ($owner === null) { // cloned
  688.                         $actualValue->setOwner($entity$assoc);
  689.                     } elseif ($owner !== $entity) { // no clone, we have to fix
  690.                         if (! $actualValue->isInitialized()) {
  691.                             $actualValue->initialize(); // we have to do this otherwise the cols share state
  692.                         }
  693.                         $newValue = clone $actualValue;
  694.                         $newValue->setOwner($entity$assoc);
  695.                         $class->reflFields[$propName]->setValue($entity$newValue);
  696.                     }
  697.                 }
  698.                 if ($orgValue instanceof PersistentCollection) {
  699.                     // A PersistentCollection was de-referenced, so delete it.
  700.                     $coid spl_object_id($orgValue);
  701.                     if (isset($this->collectionDeletions[$coid])) {
  702.                         continue;
  703.                     }
  704.                     $this->collectionDeletions[$coid] = $orgValue;
  705.                     $changeSet[$propName]             = $orgValue// Signal changeset, to-many assocs will be ignored.
  706.                     continue;
  707.                 }
  708.                 if ($assoc['type'] & ClassMetadata::TO_ONE) {
  709.                     if ($assoc['isOwningSide']) {
  710.                         $changeSet[$propName] = [$orgValue$actualValue];
  711.                     }
  712.                     if ($orgValue !== null && $assoc['orphanRemoval']) {
  713.                         assert(is_object($orgValue));
  714.                         $this->scheduleOrphanRemoval($orgValue);
  715.                     }
  716.                 }
  717.             }
  718.             if ($changeSet) {
  719.                 $this->entityChangeSets[$oid]   = $changeSet;
  720.                 $this->originalEntityData[$oid] = $actualData;
  721.                 $this->entityUpdates[$oid]      = $entity;
  722.             }
  723.         }
  724.         // Look for changes in associations of the entity
  725.         foreach ($class->associationMappings as $field => $assoc) {
  726.             $val $class->reflFields[$field]->getValue($entity);
  727.             if ($val === null) {
  728.                 continue;
  729.             }
  730.             $this->computeAssociationChanges($assoc$val);
  731.             if (
  732.                 ! isset($this->entityChangeSets[$oid]) &&
  733.                 $assoc['isOwningSide'] &&
  734.                 $assoc['type'] === ClassMetadata::MANY_TO_MANY &&
  735.                 $val instanceof PersistentCollection &&
  736.                 $val->isDirty()
  737.             ) {
  738.                 $this->entityChangeSets[$oid]   = [];
  739.                 $this->originalEntityData[$oid] = $actualData;
  740.                 $this->entityUpdates[$oid]      = $entity;
  741.             }
  742.         }
  743.     }
  744.     /**
  745.      * Computes all the changes that have been done to entities and collections
  746.      * since the last commit and stores these changes in the _entityChangeSet map
  747.      * temporarily for access by the persisters, until the UoW commit is finished.
  748.      *
  749.      * @return void
  750.      */
  751.     public function computeChangeSets()
  752.     {
  753.         // Compute changes for INSERTed entities first. This must always happen.
  754.         $this->computeScheduleInsertsChangeSets();
  755.         // Compute changes for other MANAGED entities. Change tracking policies take effect here.
  756.         foreach ($this->identityMap as $className => $entities) {
  757.             $class $this->em->getClassMetadata($className);
  758.             // Skip class if instances are read-only
  759.             if ($class->isReadOnly) {
  760.                 continue;
  761.             }
  762.             // If change tracking is explicit or happens through notification, then only compute
  763.             // changes on entities of that type that are explicitly marked for synchronization.
  764.             switch (true) {
  765.                 case $class->isChangeTrackingDeferredImplicit():
  766.                     $entitiesToProcess $entities;
  767.                     break;
  768.                 case isset($this->scheduledForSynchronization[$className]):
  769.                     $entitiesToProcess $this->scheduledForSynchronization[$className];
  770.                     break;
  771.                 default:
  772.                     $entitiesToProcess = [];
  773.             }
  774.             foreach ($entitiesToProcess as $entity) {
  775.                 // Ignore uninitialized proxy objects
  776.                 if ($this->isUninitializedObject($entity)) {
  777.                     continue;
  778.                 }
  779.                 // Only MANAGED entities that are NOT SCHEDULED FOR INSERTION OR DELETION are processed here.
  780.                 $oid spl_object_id($entity);
  781.                 if (! isset($this->entityInsertions[$oid]) && ! isset($this->entityDeletions[$oid]) && isset($this->entityStates[$oid])) {
  782.                     $this->computeChangeSet($class$entity);
  783.                 }
  784.             }
  785.         }
  786.     }
  787.     /**
  788.      * Computes the changes of an association.
  789.      *
  790.      * @param mixed $value The value of the association.
  791.      * @psalm-param AssociationMapping $assoc The association mapping.
  792.      *
  793.      * @throws ORMInvalidArgumentException
  794.      * @throws ORMException
  795.      */
  796.     private function computeAssociationChanges(array $assoc$value): void
  797.     {
  798.         if ($this->isUninitializedObject($value)) {
  799.             return;
  800.         }
  801.         // If this collection is dirty, schedule it for updates
  802.         if ($value instanceof PersistentCollection && $value->isDirty()) {
  803.             $coid spl_object_id($value);
  804.             $this->collectionUpdates[$coid]  = $value;
  805.             $this->visitedCollections[$coid] = $value;
  806.         }
  807.         // Look through the entities, and in any of their associations,
  808.         // for transient (new) entities, recursively. ("Persistence by reachability")
  809.         // Unwrap. Uninitialized collections will simply be empty.
  810.         $unwrappedValue $assoc['type'] & ClassMetadata::TO_ONE ? [$value] : $value->unwrap();
  811.         $targetClass    $this->em->getClassMetadata($assoc['targetEntity']);
  812.         foreach ($unwrappedValue as $key => $entry) {
  813.             if (! ($entry instanceof $targetClass->name)) {
  814.                 throw ORMInvalidArgumentException::invalidAssociation($targetClass$assoc$entry);
  815.             }
  816.             $state $this->getEntityState($entryself::STATE_NEW);
  817.             if (! ($entry instanceof $assoc['targetEntity'])) {
  818.                 throw UnexpectedAssociationValue::create(
  819.                     $assoc['sourceEntity'],
  820.                     $assoc['fieldName'],
  821.                     get_debug_type($entry),
  822.                     $assoc['targetEntity']
  823.                 );
  824.             }
  825.             switch ($state) {
  826.                 case self::STATE_NEW:
  827.                     if (! $assoc['isCascadePersist']) {
  828.                         /*
  829.                          * For now just record the details, because this may
  830.                          * not be an issue if we later discover another pathway
  831.                          * through the object-graph where cascade-persistence
  832.                          * is enabled for this object.
  833.                          */
  834.                         $this->nonCascadedNewDetectedEntities[spl_object_id($entry)] = [$assoc$entry];
  835.                         break;
  836.                     }
  837.                     $this->persistNew($targetClass$entry);
  838.                     $this->computeChangeSet($targetClass$entry);
  839.                     break;
  840.                 case self::STATE_REMOVED:
  841.                     // Consume the $value as array (it's either an array or an ArrayAccess)
  842.                     // and remove the element from Collection.
  843.                     if (! ($assoc['type'] & ClassMetadata::TO_MANY)) {
  844.                         break;
  845.                     }
  846.                     $coid                            spl_object_id($value);
  847.                     $this->visitedCollections[$coid] = $value;
  848.                     if (! isset($this->pendingCollectionElementRemovals[$coid])) {
  849.                         $this->pendingCollectionElementRemovals[$coid] = [];
  850.                     }
  851.                     $this->pendingCollectionElementRemovals[$coid][$key] = true;
  852.                     break;
  853.                 case self::STATE_DETACHED:
  854.                     // Can actually not happen right now as we assume STATE_NEW,
  855.                     // so the exception will be raised from the DBAL layer (constraint violation).
  856.                     throw ORMInvalidArgumentException::detachedEntityFoundThroughRelationship($assoc$entry);
  857.                 default:
  858.                     // MANAGED associated entities are already taken into account
  859.                     // during changeset calculation anyway, since they are in the identity map.
  860.             }
  861.         }
  862.     }
  863.     /**
  864.      * @param object $entity
  865.      * @psalm-param ClassMetadata<T> $class
  866.      * @psalm-param T $entity
  867.      *
  868.      * @template T of object
  869.      */
  870.     private function persistNew(ClassMetadata $class$entity): void
  871.     {
  872.         $oid    spl_object_id($entity);
  873.         $invoke $this->listenersInvoker->getSubscribedSystems($classEvents::prePersist);
  874.         if ($invoke !== ListenersInvoker::INVOKE_NONE) {
  875.             $this->listenersInvoker->invoke($classEvents::prePersist$entity, new PrePersistEventArgs($entity$this->em), $invoke);
  876.         }
  877.         $idGen $class->idGenerator;
  878.         if (! $idGen->isPostInsertGenerator()) {
  879.             $idValue $idGen->generateId($this->em$entity);
  880.             if (! $idGen instanceof AssignedGenerator) {
  881.                 $idValue = [$class->getSingleIdentifierFieldName() => $this->convertSingleFieldIdentifierToPHPValue($class$idValue)];
  882.                 $class->setIdentifierValues($entity$idValue);
  883.             }
  884.             // Some identifiers may be foreign keys to new entities.
  885.             // In this case, we don't have the value yet and should treat it as if we have a post-insert generator
  886.             if (! $this->hasMissingIdsWhichAreForeignKeys($class$idValue)) {
  887.                 $this->entityIdentifiers[$oid] = $idValue;
  888.             }
  889.         }
  890.         $this->entityStates[$oid] = self::STATE_MANAGED;
  891.         $this->scheduleForInsert($entity);
  892.     }
  893.     /** @param mixed[] $idValue */
  894.     private function hasMissingIdsWhichAreForeignKeys(ClassMetadata $class, array $idValue): bool
  895.     {
  896.         foreach ($idValue as $idField => $idFieldValue) {
  897.             if ($idFieldValue === null && isset($class->associationMappings[$idField])) {
  898.                 return true;
  899.             }
  900.         }
  901.         return false;
  902.     }
  903.     /**
  904.      * INTERNAL:
  905.      * Computes the changeset of an individual entity, independently of the
  906.      * computeChangeSets() routine that is used at the beginning of a UnitOfWork#commit().
  907.      *
  908.      * The passed entity must be a managed entity. If the entity already has a change set
  909.      * because this method is invoked during a commit cycle then the change sets are added.
  910.      * whereby changes detected in this method prevail.
  911.      *
  912.      * @param ClassMetadata $class  The class descriptor of the entity.
  913.      * @param object        $entity The entity for which to (re)calculate the change set.
  914.      * @psalm-param ClassMetadata<T> $class
  915.      * @psalm-param T $entity
  916.      *
  917.      * @return void
  918.      *
  919.      * @throws ORMInvalidArgumentException If the passed entity is not MANAGED.
  920.      *
  921.      * @template T of object
  922.      * @ignore
  923.      */
  924.     public function recomputeSingleEntityChangeSet(ClassMetadata $class$entity)
  925.     {
  926.         $oid spl_object_id($entity);
  927.         if (! isset($this->entityStates[$oid]) || $this->entityStates[$oid] !== self::STATE_MANAGED) {
  928.             throw ORMInvalidArgumentException::entityNotManaged($entity);
  929.         }
  930.         // skip if change tracking is "NOTIFY"
  931.         if ($class->isChangeTrackingNotify()) {
  932.             return;
  933.         }
  934.         if (! $class->isInheritanceTypeNone()) {
  935.             $class $this->em->getClassMetadata(get_class($entity));
  936.         }
  937.         $actualData = [];
  938.         foreach ($class->reflFields as $name => $refProp) {
  939.             if (
  940.                 ( ! $class->isIdentifier($name) || ! $class->isIdGeneratorIdentity())
  941.                 && ($name !== $class->versionField)
  942.                 && ! $class->isCollectionValuedAssociation($name)
  943.             ) {
  944.                 $actualData[$name] = $refProp->getValue($entity);
  945.             }
  946.         }
  947.         if (! isset($this->originalEntityData[$oid])) {
  948.             throw new RuntimeException('Cannot call recomputeSingleEntityChangeSet before computeChangeSet on an entity.');
  949.         }
  950.         $originalData $this->originalEntityData[$oid];
  951.         $changeSet    = [];
  952.         foreach ($actualData as $propName => $actualValue) {
  953.             $orgValue $originalData[$propName] ?? null;
  954.             if (isset($class->fieldMappings[$propName]['enumType'])) {
  955.                 if (is_array($orgValue)) {
  956.                     foreach ($orgValue as $id => $val) {
  957.                         if ($val instanceof BackedEnum) {
  958.                             $orgValue[$id] = $val->value;
  959.                         }
  960.                     }
  961.                 } else {
  962.                     if ($orgValue instanceof BackedEnum) {
  963.                         $orgValue $orgValue->value;
  964.                     }
  965.                 }
  966.             }
  967.             if ($orgValue !== $actualValue) {
  968.                 $changeSet[$propName] = [$orgValue$actualValue];
  969.             }
  970.         }
  971.         if ($changeSet) {
  972.             if (isset($this->entityChangeSets[$oid])) {
  973.                 $this->entityChangeSets[$oid] = array_merge($this->entityChangeSets[$oid], $changeSet);
  974.             } elseif (! isset($this->entityInsertions[$oid])) {
  975.                 $this->entityChangeSets[$oid] = $changeSet;
  976.                 $this->entityUpdates[$oid]    = $entity;
  977.             }
  978.             $this->originalEntityData[$oid] = $actualData;
  979.         }
  980.     }
  981.     /**
  982.      * Executes entity insertions
  983.      */
  984.     private function executeInserts(): void
  985.     {
  986.         $entities         $this->computeInsertExecutionOrder();
  987.         $eventsToDispatch = [];
  988.         foreach ($entities as $entity) {
  989.             $oid       spl_object_id($entity);
  990.             $class     $this->em->getClassMetadata(get_class($entity));
  991.             $persister $this->getEntityPersister($class->name);
  992.             $persister->addInsert($entity);
  993.             unset($this->entityInsertions[$oid]);
  994.             $postInsertIds $persister->executeInserts();
  995.             if (is_array($postInsertIds)) {
  996.                 Deprecation::trigger(
  997.                     'doctrine/orm',
  998.                     'https://github.com/doctrine/orm/pull/10743/',
  999.                     'Returning post insert IDs from \Doctrine\ORM\Persisters\Entity\EntityPersister::executeInserts() is deprecated and will not be supported in Doctrine ORM 3.0. Make the persister call Doctrine\ORM\UnitOfWork::assignPostInsertId() instead.'
  1000.                 );
  1001.                 // Persister returned post-insert IDs
  1002.                 foreach ($postInsertIds as $postInsertId) {
  1003.                     $this->assignPostInsertId($postInsertId['entity'], $postInsertId['generatedId']);
  1004.                 }
  1005.             }
  1006.             if (! isset($this->entityIdentifiers[$oid])) {
  1007.                 //entity was not added to identity map because some identifiers are foreign keys to new entities.
  1008.                 //add it now
  1009.                 $this->addToEntityIdentifiersAndEntityMap($class$oid$entity);
  1010.             }
  1011.             $invoke $this->listenersInvoker->getSubscribedSystems($classEvents::postPersist);
  1012.             if ($invoke !== ListenersInvoker::INVOKE_NONE) {
  1013.                 $eventsToDispatch[] = ['class' => $class'entity' => $entity'invoke' => $invoke];
  1014.             }
  1015.         }
  1016.         // Defer dispatching `postPersist` events to until all entities have been inserted and post-insert
  1017.         // IDs have been assigned.
  1018.         foreach ($eventsToDispatch as $event) {
  1019.             $this->listenersInvoker->invoke(
  1020.                 $event['class'],
  1021.                 Events::postPersist,
  1022.                 $event['entity'],
  1023.                 new PostPersistEventArgs($event['entity'], $this->em),
  1024.                 $event['invoke']
  1025.             );
  1026.         }
  1027.     }
  1028.     /**
  1029.      * @param object $entity
  1030.      * @psalm-param ClassMetadata<T> $class
  1031.      * @psalm-param T $entity
  1032.      *
  1033.      * @template T of object
  1034.      */
  1035.     private function addToEntityIdentifiersAndEntityMap(
  1036.         ClassMetadata $class,
  1037.         int $oid,
  1038.         $entity
  1039.     ): void {
  1040.         $identifier = [];
  1041.         foreach ($class->getIdentifierFieldNames() as $idField) {
  1042.             $origValue $class->getFieldValue($entity$idField);
  1043.             $value null;
  1044.             if (isset($class->associationMappings[$idField])) {
  1045.                 // NOTE: Single Columns as associated identifiers only allowed - this constraint it is enforced.
  1046.                 $value $this->getSingleIdentifierValue($origValue);
  1047.             }
  1048.             $identifier[$idField]                     = $value ?? $origValue;
  1049.             $this->originalEntityData[$oid][$idField] = $origValue;
  1050.         }
  1051.         $this->entityStates[$oid]      = self::STATE_MANAGED;
  1052.         $this->entityIdentifiers[$oid] = $identifier;
  1053.         $this->addToIdentityMap($entity);
  1054.     }
  1055.     /**
  1056.      * Executes all entity updates
  1057.      */
  1058.     private function executeUpdates(): void
  1059.     {
  1060.         foreach ($this->entityUpdates as $oid => $entity) {
  1061.             $class            $this->em->getClassMetadata(get_class($entity));
  1062.             $persister        $this->getEntityPersister($class->name);
  1063.             $preUpdateInvoke  $this->listenersInvoker->getSubscribedSystems($classEvents::preUpdate);
  1064.             $postUpdateInvoke $this->listenersInvoker->getSubscribedSystems($classEvents::postUpdate);
  1065.             if ($preUpdateInvoke !== ListenersInvoker::INVOKE_NONE) {
  1066.                 $this->listenersInvoker->invoke($classEvents::preUpdate$entity, new PreUpdateEventArgs($entity$this->em$this->getEntityChangeSet($entity)), $preUpdateInvoke);
  1067.                 $this->recomputeSingleEntityChangeSet($class$entity);
  1068.             }
  1069.             if (! empty($this->entityChangeSets[$oid])) {
  1070.                 $persister->update($entity);
  1071.             }
  1072.             unset($this->entityUpdates[$oid]);
  1073.             if ($postUpdateInvoke !== ListenersInvoker::INVOKE_NONE) {
  1074.                 $this->listenersInvoker->invoke($classEvents::postUpdate$entity, new PostUpdateEventArgs($entity$this->em), $postUpdateInvoke);
  1075.             }
  1076.         }
  1077.     }
  1078.     /**
  1079.      * Executes all entity deletions
  1080.      */
  1081.     private function executeDeletions(): void
  1082.     {
  1083.         $entities         $this->computeDeleteExecutionOrder();
  1084.         $eventsToDispatch = [];
  1085.         foreach ($entities as $entity) {
  1086.             $oid       spl_object_id($entity);
  1087.             $class     $this->em->getClassMetadata(get_class($entity));
  1088.             $persister $this->getEntityPersister($class->name);
  1089.             $invoke    $this->listenersInvoker->getSubscribedSystems($classEvents::postRemove);
  1090.             $persister->delete($entity);
  1091.             unset(
  1092.                 $this->entityDeletions[$oid],
  1093.                 $this->entityIdentifiers[$oid],
  1094.                 $this->originalEntityData[$oid],
  1095.                 $this->entityStates[$oid]
  1096.             );
  1097.             // Entity with this $oid after deletion treated as NEW, even if the $oid
  1098.             // is obtained by a new entity because the old one went out of scope.
  1099.             //$this->entityStates[$oid] = self::STATE_NEW;
  1100.             if (! $class->isIdentifierNatural()) {
  1101.                 $class->reflFields[$class->identifier[0]]->setValue($entitynull);
  1102.             }
  1103.             if ($invoke !== ListenersInvoker::INVOKE_NONE) {
  1104.                 $eventsToDispatch[] = ['class' => $class'entity' => $entity'invoke' => $invoke];
  1105.             }
  1106.         }
  1107.         // Defer dispatching `postRemove` events to until all entities have been removed.
  1108.         foreach ($eventsToDispatch as $event) {
  1109.             $this->listenersInvoker->invoke(
  1110.                 $event['class'],
  1111.                 Events::postRemove,
  1112.                 $event['entity'],
  1113.                 new PostRemoveEventArgs($event['entity'], $this->em),
  1114.                 $event['invoke']
  1115.             );
  1116.         }
  1117.     }
  1118.     /** @return list<object> */
  1119.     private function computeInsertExecutionOrder(): array
  1120.     {
  1121.         $sort = new TopologicalSort();
  1122.         // First make sure we have all the nodes
  1123.         foreach ($this->entityInsertions as $entity) {
  1124.             $sort->addNode($entity);
  1125.         }
  1126.         // Now add edges
  1127.         foreach ($this->entityInsertions as $entity) {
  1128.             $class $this->em->getClassMetadata(get_class($entity));
  1129.             foreach ($class->associationMappings as $assoc) {
  1130.                 // We only need to consider the owning sides of to-one associations,
  1131.                 // since many-to-many associations are persisted at a later step and
  1132.                 // have no insertion order problems (all entities already in the database
  1133.                 // at that time).
  1134.                 if (! ($assoc['isOwningSide'] && $assoc['type'] & ClassMetadata::TO_ONE)) {
  1135.                     continue;
  1136.                 }
  1137.                 $targetEntity $class->getFieldValue($entity$assoc['fieldName']);
  1138.                 // If there is no entity that we need to refer to, or it is already in the
  1139.                 // database (i. e. does not have to be inserted), no need to consider it.
  1140.                 if ($targetEntity === null || ! $sort->hasNode($targetEntity)) {
  1141.                     continue;
  1142.                 }
  1143.                 // An entity that references back to itself _and_ uses an application-provided ID
  1144.                 // (the "NONE" generator strategy) can be exempted from commit order computation.
  1145.                 // See https://github.com/doctrine/orm/pull/10735/ for more details on this edge case.
  1146.                 // A non-NULLable self-reference would be a cycle in the graph.
  1147.                 if ($targetEntity === $entity && $class->isIdentifierNatural()) {
  1148.                     continue;
  1149.                 }
  1150.                 // According to https://www.doctrine-project.org/projects/doctrine-orm/en/2.14/reference/annotations-reference.html#annref_joincolumn,
  1151.                 // the default for "nullable" is true. Unfortunately, it seems this default is not applied at the metadata driver, factory or other
  1152.                 // level, but in fact we may have an undefined 'nullable' key here, so we must assume that default here as well.
  1153.                 //
  1154.                 // Same in \Doctrine\ORM\Tools\EntityGenerator::isAssociationIsNullable or \Doctrine\ORM\Persisters\Entity\BasicEntityPersister::getJoinSQLForJoinColumns,
  1155.                 // to give two examples.
  1156.                 assert(isset($assoc['joinColumns']));
  1157.                 $joinColumns reset($assoc['joinColumns']);
  1158.                 $isNullable  = ! isset($joinColumns['nullable']) || $joinColumns['nullable'];
  1159.                 // Add dependency. The dependency direction implies that "$targetEntity has to go before $entity",
  1160.                 // so we can work through the topo sort result from left to right (with all edges pointing right).
  1161.                 $sort->addEdge($targetEntity$entity$isNullable);
  1162.             }
  1163.         }
  1164.         return $sort->sort();
  1165.     }
  1166.     /** @return list<object> */
  1167.     private function computeDeleteExecutionOrder(): array
  1168.     {
  1169.         $sort = new TopologicalSort();
  1170.         // First make sure we have all the nodes
  1171.         foreach ($this->entityDeletions as $entity) {
  1172.             $sort->addNode($entity);
  1173.         }
  1174.         // Now add edges
  1175.         foreach ($this->entityDeletions as $entity) {
  1176.             $class $this->em->getClassMetadata(get_class($entity));
  1177.             foreach ($class->associationMappings as $assoc) {
  1178.                 // We only need to consider the owning sides of to-one associations,
  1179.                 // since many-to-many associations can always be (and have already been)
  1180.                 // deleted in a preceding step.
  1181.                 if (! ($assoc['isOwningSide'] && $assoc['type'] & ClassMetadata::TO_ONE)) {
  1182.                     continue;
  1183.                 }
  1184.                 // For associations that implement a database-level cascade/set null operation,
  1185.                 // we do not have to follow a particular order: If the referred-to entity is
  1186.                 // deleted first, the DBMS will either delete the current $entity right away
  1187.                 // (CASCADE) or temporarily set the foreign key to NULL (SET NULL).
  1188.                 // Either way, we can skip it in the computation.
  1189.                 assert(isset($assoc['joinColumns']));
  1190.                 $joinColumns reset($assoc['joinColumns']);
  1191.                 if (isset($joinColumns['onDelete'])) {
  1192.                     $onDeleteOption strtolower($joinColumns['onDelete']);
  1193.                     if ($onDeleteOption === 'cascade' || $onDeleteOption === 'set null') {
  1194.                         continue;
  1195.                     }
  1196.                 }
  1197.                 $targetEntity $class->getFieldValue($entity$assoc['fieldName']);
  1198.                 // If the association does not refer to another entity or that entity
  1199.                 // is not to be deleted, there is no ordering problem and we can
  1200.                 // skip this particular association.
  1201.                 if ($targetEntity === null || ! $sort->hasNode($targetEntity)) {
  1202.                     continue;
  1203.                 }
  1204.                 // Add dependency. The dependency direction implies that "$entity has to be removed before $targetEntity",
  1205.                 // so we can work through the topo sort result from left to right (with all edges pointing right).
  1206.                 $sort->addEdge($entity$targetEntityfalse);
  1207.             }
  1208.         }
  1209.         return $sort->sort();
  1210.     }
  1211.     /**
  1212.      * Schedules an entity for insertion into the database.
  1213.      * If the entity already has an identifier, it will be added to the identity map.
  1214.      *
  1215.      * @param object $entity The entity to schedule for insertion.
  1216.      *
  1217.      * @return void
  1218.      *
  1219.      * @throws ORMInvalidArgumentException
  1220.      * @throws InvalidArgumentException
  1221.      */
  1222.     public function scheduleForInsert($entity)
  1223.     {
  1224.         $oid spl_object_id($entity);
  1225.         if (isset($this->entityUpdates[$oid])) {
  1226.             throw new InvalidArgumentException('Dirty entity can not be scheduled for insertion.');
  1227.         }
  1228.         if (isset($this->entityDeletions[$oid])) {
  1229.             throw ORMInvalidArgumentException::scheduleInsertForRemovedEntity($entity);
  1230.         }
  1231.         if (isset($this->originalEntityData[$oid]) && ! isset($this->entityInsertions[$oid])) {
  1232.             throw ORMInvalidArgumentException::scheduleInsertForManagedEntity($entity);
  1233.         }
  1234.         if (isset($this->entityInsertions[$oid])) {
  1235.             throw ORMInvalidArgumentException::scheduleInsertTwice($entity);
  1236.         }
  1237.         $this->entityInsertions[$oid] = $entity;
  1238.         if (isset($this->entityIdentifiers[$oid])) {
  1239.             $this->addToIdentityMap($entity);
  1240.         }
  1241.         if ($entity instanceof NotifyPropertyChanged) {
  1242.             $entity->addPropertyChangedListener($this);
  1243.         }
  1244.     }
  1245.     /**
  1246.      * Checks whether an entity is scheduled for insertion.
  1247.      *
  1248.      * @param object $entity
  1249.      *
  1250.      * @return bool
  1251.      */
  1252.     public function isScheduledForInsert($entity)
  1253.     {
  1254.         return isset($this->entityInsertions[spl_object_id($entity)]);
  1255.     }
  1256.     /**
  1257.      * Schedules an entity for being updated.
  1258.      *
  1259.      * @param object $entity The entity to schedule for being updated.
  1260.      *
  1261.      * @return void
  1262.      *
  1263.      * @throws ORMInvalidArgumentException
  1264.      */
  1265.     public function scheduleForUpdate($entity)
  1266.     {
  1267.         $oid spl_object_id($entity);
  1268.         if (! isset($this->entityIdentifiers[$oid])) {
  1269.             throw ORMInvalidArgumentException::entityHasNoIdentity($entity'scheduling for update');
  1270.         }
  1271.         if (isset($this->entityDeletions[$oid])) {
  1272.             throw ORMInvalidArgumentException::entityIsRemoved($entity'schedule for update');
  1273.         }
  1274.         if (! isset($this->entityUpdates[$oid]) && ! isset($this->entityInsertions[$oid])) {
  1275.             $this->entityUpdates[$oid] = $entity;
  1276.         }
  1277.     }
  1278.     /**
  1279.      * INTERNAL:
  1280.      * Schedules an extra update that will be executed immediately after the
  1281.      * regular entity updates within the currently running commit cycle.
  1282.      *
  1283.      * Extra updates for entities are stored as (entity, changeset) tuples.
  1284.      *
  1285.      * @param object $entity The entity for which to schedule an extra update.
  1286.      * @psalm-param array<string, array{mixed, mixed}>  $changeset The changeset of the entity (what to update).
  1287.      *
  1288.      * @return void
  1289.      *
  1290.      * @ignore
  1291.      */
  1292.     public function scheduleExtraUpdate($entity, array $changeset)
  1293.     {
  1294.         $oid         spl_object_id($entity);
  1295.         $extraUpdate = [$entity$changeset];
  1296.         if (isset($this->extraUpdates[$oid])) {
  1297.             [, $changeset2] = $this->extraUpdates[$oid];
  1298.             $extraUpdate = [$entity$changeset $changeset2];
  1299.         }
  1300.         $this->extraUpdates[$oid] = $extraUpdate;
  1301.     }
  1302.     /**
  1303.      * Checks whether an entity is registered as dirty in the unit of work.
  1304.      * Note: Is not very useful currently as dirty entities are only registered
  1305.      * at commit time.
  1306.      *
  1307.      * @param object $entity
  1308.      *
  1309.      * @return bool
  1310.      */
  1311.     public function isScheduledForUpdate($entity)
  1312.     {
  1313.         return isset($this->entityUpdates[spl_object_id($entity)]);
  1314.     }
  1315.     /**
  1316.      * Checks whether an entity is registered to be checked in the unit of work.
  1317.      *
  1318.      * @param object $entity
  1319.      *
  1320.      * @return bool
  1321.      */
  1322.     public function isScheduledForDirtyCheck($entity)
  1323.     {
  1324.         $rootEntityName $this->em->getClassMetadata(get_class($entity))->rootEntityName;
  1325.         return isset($this->scheduledForSynchronization[$rootEntityName][spl_object_id($entity)]);
  1326.     }
  1327.     /**
  1328.      * INTERNAL:
  1329.      * Schedules an entity for deletion.
  1330.      *
  1331.      * @param object $entity
  1332.      *
  1333.      * @return void
  1334.      */
  1335.     public function scheduleForDelete($entity)
  1336.     {
  1337.         $oid spl_object_id($entity);
  1338.         if (isset($this->entityInsertions[$oid])) {
  1339.             if ($this->isInIdentityMap($entity)) {
  1340.                 $this->removeFromIdentityMap($entity);
  1341.             }
  1342.             unset($this->entityInsertions[$oid], $this->entityStates[$oid]);
  1343.             return; // entity has not been persisted yet, so nothing more to do.
  1344.         }
  1345.         if (! $this->isInIdentityMap($entity)) {
  1346.             return;
  1347.         }
  1348.         $this->removeFromIdentityMap($entity);
  1349.         unset($this->entityUpdates[$oid]);
  1350.         if (! isset($this->entityDeletions[$oid])) {
  1351.             $this->entityDeletions[$oid] = $entity;
  1352.             $this->entityStates[$oid]    = self::STATE_REMOVED;
  1353.         }
  1354.     }
  1355.     /**
  1356.      * Checks whether an entity is registered as removed/deleted with the unit
  1357.      * of work.
  1358.      *
  1359.      * @param object $entity
  1360.      *
  1361.      * @return bool
  1362.      */
  1363.     public function isScheduledForDelete($entity)
  1364.     {
  1365.         return isset($this->entityDeletions[spl_object_id($entity)]);
  1366.     }
  1367.     /**
  1368.      * Checks whether an entity is scheduled for insertion, update or deletion.
  1369.      *
  1370.      * @param object $entity
  1371.      *
  1372.      * @return bool
  1373.      */
  1374.     public function isEntityScheduled($entity)
  1375.     {
  1376.         $oid spl_object_id($entity);
  1377.         return isset($this->entityInsertions[$oid])
  1378.             || isset($this->entityUpdates[$oid])
  1379.             || isset($this->entityDeletions[$oid]);
  1380.     }
  1381.     /**
  1382.      * INTERNAL:
  1383.      * Registers an entity in the identity map.
  1384.      * Note that entities in a hierarchy are registered with the class name of
  1385.      * the root entity.
  1386.      *
  1387.      * @param object $entity The entity to register.
  1388.      *
  1389.      * @return bool TRUE if the registration was successful, FALSE if the identity of
  1390.      * the entity in question is already managed.
  1391.      *
  1392.      * @throws ORMInvalidArgumentException
  1393.      * @throws EntityIdentityCollisionException
  1394.      *
  1395.      * @ignore
  1396.      */
  1397.     public function addToIdentityMap($entity)
  1398.     {
  1399.         $classMetadata $this->em->getClassMetadata(get_class($entity));
  1400.         $idHash        $this->getIdHashByEntity($entity);
  1401.         $className     $classMetadata->rootEntityName;
  1402.         if (isset($this->identityMap[$className][$idHash])) {
  1403.             if ($this->identityMap[$className][$idHash] !== $entity) {
  1404.                 if ($this->em->getConfiguration()->isRejectIdCollisionInIdentityMapEnabled()) {
  1405.                     throw EntityIdentityCollisionException::create($this->identityMap[$className][$idHash], $entity$idHash);
  1406.                 }
  1407.                 Deprecation::trigger(
  1408.                     'doctrine/orm',
  1409.                     'https://github.com/doctrine/orm/pull/10785',
  1410.                     <<<'EXCEPTION'
  1411. While adding an entity of class %s with an ID hash of "%s" to the identity map,
  1412. another object of class %s was already present for the same ID. This will trigger
  1413. an exception in ORM 3.0.
  1414. IDs should uniquely map to entity object instances. This problem may occur if:
  1415. - you use application-provided IDs and reuse ID values;
  1416. - database-provided IDs are reassigned after truncating the database without
  1417. clearing the EntityManager;
  1418. - you might have been using EntityManager#getReference() to create a reference
  1419. for a nonexistent ID that was subsequently (by the RDBMS) assigned to another
  1420. entity.
  1421. Otherwise, it might be an ORM-internal inconsistency, please report it.
  1422. To opt-in to the new exception, call
  1423. \Doctrine\ORM\Configuration::setRejectIdCollisionInIdentityMap on the entity
  1424. manager's configuration.
  1425. EXCEPTION
  1426.                     ,
  1427.                     get_class($entity),
  1428.                     $idHash,
  1429.                     get_class($this->identityMap[$className][$idHash])
  1430.                 );
  1431.             }
  1432.             return false;
  1433.         }
  1434.         $this->identityMap[$className][$idHash] = $entity;
  1435.         return true;
  1436.     }
  1437.     /**
  1438.      * Gets the id hash of an entity by its identifier.
  1439.      *
  1440.      * @param array<string|int, mixed> $identifier The identifier of an entity
  1441.      *
  1442.      * @return string The entity id hash.
  1443.      */
  1444.     final public static function getIdHashByIdentifier(array $identifier): string
  1445.     {
  1446.         return implode(
  1447.             ' ',
  1448.             array_map(
  1449.                 static function ($value) {
  1450.                     if ($value instanceof BackedEnum) {
  1451.                         return $value->value;
  1452.                     }
  1453.                     return $value;
  1454.                 },
  1455.                 $identifier
  1456.             )
  1457.         );
  1458.     }
  1459.     /**
  1460.      * Gets the id hash of an entity.
  1461.      *
  1462.      * @param object $entity The entity managed by Unit Of Work
  1463.      *
  1464.      * @return string The entity id hash.
  1465.      */
  1466.     public function getIdHashByEntity($entity): string
  1467.     {
  1468.         $identifier $this->entityIdentifiers[spl_object_id($entity)];
  1469.         if (empty($identifier) || in_array(null$identifiertrue)) {
  1470.             $classMetadata $this->em->getClassMetadata(get_class($entity));
  1471.             throw ORMInvalidArgumentException::entityWithoutIdentity($classMetadata->name$entity);
  1472.         }
  1473.         return self::getIdHashByIdentifier($identifier);
  1474.     }
  1475.     /**
  1476.      * Gets the state of an entity with regard to the current unit of work.
  1477.      *
  1478.      * @param object   $entity
  1479.      * @param int|null $assume The state to assume if the state is not yet known (not MANAGED or REMOVED).
  1480.      *                         This parameter can be set to improve performance of entity state detection
  1481.      *                         by potentially avoiding a database lookup if the distinction between NEW and DETACHED
  1482.      *                         is either known or does not matter for the caller of the method.
  1483.      * @psalm-param self::STATE_*|null $assume
  1484.      *
  1485.      * @return int The entity state.
  1486.      * @psalm-return self::STATE_*
  1487.      */
  1488.     public function getEntityState($entity$assume null)
  1489.     {
  1490.         $oid spl_object_id($entity);
  1491.         if (isset($this->entityStates[$oid])) {
  1492.             return $this->entityStates[$oid];
  1493.         }
  1494.         if ($assume !== null) {
  1495.             return $assume;
  1496.         }
  1497.         // State can only be NEW or DETACHED, because MANAGED/REMOVED states are known.
  1498.         // Note that you can not remember the NEW or DETACHED state in _entityStates since
  1499.         // the UoW does not hold references to such objects and the object hash can be reused.
  1500.         // More generally because the state may "change" between NEW/DETACHED without the UoW being aware of it.
  1501.         $class $this->em->getClassMetadata(get_class($entity));
  1502.         $id    $class->getIdentifierValues($entity);
  1503.         if (! $id) {
  1504.             return self::STATE_NEW;
  1505.         }
  1506.         if ($class->containsForeignIdentifier || $class->containsEnumIdentifier) {
  1507.             $id $this->identifierFlattener->flattenIdentifier($class$id);
  1508.         }
  1509.         switch (true) {
  1510.             case $class->isIdentifierNatural():
  1511.                 // Check for a version field, if available, to avoid a db lookup.
  1512.                 if ($class->isVersioned) {
  1513.                     assert($class->versionField !== null);
  1514.                     return $class->getFieldValue($entity$class->versionField)
  1515.                         ? self::STATE_DETACHED
  1516.                         self::STATE_NEW;
  1517.                 }
  1518.                 // Last try before db lookup: check the identity map.
  1519.                 if ($this->tryGetById($id$class->rootEntityName)) {
  1520.                     return self::STATE_DETACHED;
  1521.                 }
  1522.                 // db lookup
  1523.                 if ($this->getEntityPersister($class->name)->exists($entity)) {
  1524.                     return self::STATE_DETACHED;
  1525.                 }
  1526.                 return self::STATE_NEW;
  1527.             case ! $class->idGenerator->isPostInsertGenerator():
  1528.                 // if we have a pre insert generator we can't be sure that having an id
  1529.                 // really means that the entity exists. We have to verify this through
  1530.                 // the last resort: a db lookup
  1531.                 // Last try before db lookup: check the identity map.
  1532.                 if ($this->tryGetById($id$class->rootEntityName)) {
  1533.                     return self::STATE_DETACHED;
  1534.                 }
  1535.                 // db lookup
  1536.                 if ($this->getEntityPersister($class->name)->exists($entity)) {
  1537.                     return self::STATE_DETACHED;
  1538.                 }
  1539.                 return self::STATE_NEW;
  1540.             default:
  1541.                 return self::STATE_DETACHED;
  1542.         }
  1543.     }
  1544.     /**
  1545.      * INTERNAL:
  1546.      * Removes an entity from the identity map. This effectively detaches the
  1547.      * entity from the persistence management of Doctrine.
  1548.      *
  1549.      * @param object $entity
  1550.      *
  1551.      * @return bool
  1552.      *
  1553.      * @throws ORMInvalidArgumentException
  1554.      *
  1555.      * @ignore
  1556.      */
  1557.     public function removeFromIdentityMap($entity)
  1558.     {
  1559.         $oid           spl_object_id($entity);
  1560.         $classMetadata $this->em->getClassMetadata(get_class($entity));
  1561.         $idHash        self::getIdHashByIdentifier($this->entityIdentifiers[$oid]);
  1562.         if ($idHash === '') {
  1563.             throw ORMInvalidArgumentException::entityHasNoIdentity($entity'remove from identity map');
  1564.         }
  1565.         $className $classMetadata->rootEntityName;
  1566.         if (isset($this->identityMap[$className][$idHash])) {
  1567.             unset($this->identityMap[$className][$idHash], $this->readOnlyObjects[$oid]);
  1568.             //$this->entityStates[$oid] = self::STATE_DETACHED;
  1569.             return true;
  1570.         }
  1571.         return false;
  1572.     }
  1573.     /**
  1574.      * INTERNAL:
  1575.      * Gets an entity in the identity map by its identifier hash.
  1576.      *
  1577.      * @param string $idHash
  1578.      * @param string $rootClassName
  1579.      *
  1580.      * @return object
  1581.      *
  1582.      * @ignore
  1583.      */
  1584.     public function getByIdHash($idHash$rootClassName)
  1585.     {
  1586.         return $this->identityMap[$rootClassName][$idHash];
  1587.     }
  1588.     /**
  1589.      * INTERNAL:
  1590.      * Tries to get an entity by its identifier hash. If no entity is found for
  1591.      * the given hash, FALSE is returned.
  1592.      *
  1593.      * @param mixed  $idHash        (must be possible to cast it to string)
  1594.      * @param string $rootClassName
  1595.      *
  1596.      * @return false|object The found entity or FALSE.
  1597.      *
  1598.      * @ignore
  1599.      */
  1600.     public function tryGetByIdHash($idHash$rootClassName)
  1601.     {
  1602.         $stringIdHash = (string) $idHash;
  1603.         return $this->identityMap[$rootClassName][$stringIdHash] ?? false;
  1604.     }
  1605.     /**
  1606.      * Checks whether an entity is registered in the identity map of this UnitOfWork.
  1607.      *
  1608.      * @param object $entity
  1609.      *
  1610.      * @return bool
  1611.      */
  1612.     public function isInIdentityMap($entity)
  1613.     {
  1614.         $oid spl_object_id($entity);
  1615.         if (empty($this->entityIdentifiers[$oid])) {
  1616.             return false;
  1617.         }
  1618.         $classMetadata $this->em->getClassMetadata(get_class($entity));
  1619.         $idHash        self::getIdHashByIdentifier($this->entityIdentifiers[$oid]);
  1620.         return isset($this->identityMap[$classMetadata->rootEntityName][$idHash]);
  1621.     }
  1622.     /**
  1623.      * INTERNAL:
  1624.      * Checks whether an identifier hash exists in the identity map.
  1625.      *
  1626.      * @param string $idHash
  1627.      * @param string $rootClassName
  1628.      *
  1629.      * @return bool
  1630.      *
  1631.      * @ignore
  1632.      */
  1633.     public function containsIdHash($idHash$rootClassName)
  1634.     {
  1635.         return isset($this->identityMap[$rootClassName][$idHash]);
  1636.     }
  1637.     /**
  1638.      * Persists an entity as part of the current unit of work.
  1639.      *
  1640.      * @param object $entity The entity to persist.
  1641.      *
  1642.      * @return void
  1643.      */
  1644.     public function persist($entity)
  1645.     {
  1646.         $visited = [];
  1647.         $this->doPersist($entity$visited);
  1648.     }
  1649.     /**
  1650.      * Persists an entity as part of the current unit of work.
  1651.      *
  1652.      * This method is internally called during persist() cascades as it tracks
  1653.      * the already visited entities to prevent infinite recursions.
  1654.      *
  1655.      * @param object $entity The entity to persist.
  1656.      * @psalm-param array<int, object> $visited The already visited entities.
  1657.      *
  1658.      * @throws ORMInvalidArgumentException
  1659.      * @throws UnexpectedValueException
  1660.      */
  1661.     private function doPersist($entity, array &$visited): void
  1662.     {
  1663.         $oid spl_object_id($entity);
  1664.         if (isset($visited[$oid])) {
  1665.             return; // Prevent infinite recursion
  1666.         }
  1667.         $visited[$oid] = $entity// Mark visited
  1668.         $class $this->em->getClassMetadata(get_class($entity));
  1669.         // We assume NEW, so DETACHED entities result in an exception on flush (constraint violation).
  1670.         // If we would detect DETACHED here we would throw an exception anyway with the same
  1671.         // consequences (not recoverable/programming error), so just assuming NEW here
  1672.         // lets us avoid some database lookups for entities with natural identifiers.
  1673.         $entityState $this->getEntityState($entityself::STATE_NEW);
  1674.         switch ($entityState) {
  1675.             case self::STATE_MANAGED:
  1676.                 // Nothing to do, except if policy is "deferred explicit"
  1677.                 if ($class->isChangeTrackingDeferredExplicit()) {
  1678.                     $this->scheduleForDirtyCheck($entity);
  1679.                 }
  1680.                 break;
  1681.             case self::STATE_NEW:
  1682.                 $this->persistNew($class$entity);
  1683.                 break;
  1684.             case self::STATE_REMOVED:
  1685.                 // Entity becomes managed again
  1686.                 unset($this->entityDeletions[$oid]);
  1687.                 $this->addToIdentityMap($entity);
  1688.                 $this->entityStates[$oid] = self::STATE_MANAGED;
  1689.                 if ($class->isChangeTrackingDeferredExplicit()) {
  1690.                     $this->scheduleForDirtyCheck($entity);
  1691.                 }
  1692.                 break;
  1693.             case self::STATE_DETACHED:
  1694.                 // Can actually not happen right now since we assume STATE_NEW.
  1695.                 throw ORMInvalidArgumentException::detachedEntityCannot($entity'persisted');
  1696.             default:
  1697.                 throw new UnexpectedValueException(sprintf(
  1698.                     'Unexpected entity state: %s. %s',
  1699.                     $entityState,
  1700.                     self::objToStr($entity)
  1701.                 ));
  1702.         }
  1703.         $this->cascadePersist($entity$visited);
  1704.     }
  1705.     /**
  1706.      * Deletes an entity as part of the current unit of work.
  1707.      *
  1708.      * @param object $entity The entity to remove.
  1709.      *
  1710.      * @return void
  1711.      */
  1712.     public function remove($entity)
  1713.     {
  1714.         $visited = [];
  1715.         $this->doRemove($entity$visited);
  1716.     }
  1717.     /**
  1718.      * Deletes an entity as part of the current unit of work.
  1719.      *
  1720.      * This method is internally called during delete() cascades as it tracks
  1721.      * the already visited entities to prevent infinite recursions.
  1722.      *
  1723.      * @param object $entity The entity to delete.
  1724.      * @psalm-param array<int, object> $visited The map of the already visited entities.
  1725.      *
  1726.      * @throws ORMInvalidArgumentException If the instance is a detached entity.
  1727.      * @throws UnexpectedValueException
  1728.      */
  1729.     private function doRemove($entity, array &$visited): void
  1730.     {
  1731.         $oid spl_object_id($entity);
  1732.         if (isset($visited[$oid])) {
  1733.             return; // Prevent infinite recursion
  1734.         }
  1735.         $visited[$oid] = $entity// mark visited
  1736.         // Cascade first, because scheduleForDelete() removes the entity from the identity map, which
  1737.         // can cause problems when a lazy proxy has to be initialized for the cascade operation.
  1738.         $this->cascadeRemove($entity$visited);
  1739.         $class       $this->em->getClassMetadata(get_class($entity));
  1740.         $entityState $this->getEntityState($entity);
  1741.         switch ($entityState) {
  1742.             case self::STATE_NEW:
  1743.             case self::STATE_REMOVED:
  1744.                 // nothing to do
  1745.                 break;
  1746.             case self::STATE_MANAGED:
  1747.                 $invoke $this->listenersInvoker->getSubscribedSystems($classEvents::preRemove);
  1748.                 if ($invoke !== ListenersInvoker::INVOKE_NONE) {
  1749.                     $this->listenersInvoker->invoke($classEvents::preRemove$entity, new PreRemoveEventArgs($entity$this->em), $invoke);
  1750.                 }
  1751.                 $this->scheduleForDelete($entity);
  1752.                 break;
  1753.             case self::STATE_DETACHED:
  1754.                 throw ORMInvalidArgumentException::detachedEntityCannot($entity'removed');
  1755.             default:
  1756.                 throw new UnexpectedValueException(sprintf(
  1757.                     'Unexpected entity state: %s. %s',
  1758.                     $entityState,
  1759.                     self::objToStr($entity)
  1760.                 ));
  1761.         }
  1762.     }
  1763.     /**
  1764.      * Merges the state of the given detached entity into this UnitOfWork.
  1765.      *
  1766.      * @deprecated 2.7 This method is being removed from the ORM and won't have any replacement
  1767.      *
  1768.      * @param object $entity
  1769.      *
  1770.      * @return object The managed copy of the entity.
  1771.      *
  1772.      * @throws OptimisticLockException If the entity uses optimistic locking through a version
  1773.      *         attribute and the version check against the managed copy fails.
  1774.      */
  1775.     public function merge($entity)
  1776.     {
  1777.         $visited = [];
  1778.         return $this->doMerge($entity$visited);
  1779.     }
  1780.     /**
  1781.      * Executes a merge operation on an entity.
  1782.      *
  1783.      * @param object $entity
  1784.      * @psalm-param AssociationMapping|null $assoc
  1785.      * @psalm-param array<int, object> $visited
  1786.      *
  1787.      * @return object The managed copy of the entity.
  1788.      *
  1789.      * @throws OptimisticLockException If the entity uses optimistic locking through a version
  1790.      *         attribute and the version check against the managed copy fails.
  1791.      * @throws ORMInvalidArgumentException If the entity instance is NEW.
  1792.      * @throws EntityNotFoundException if an assigned identifier is used in the entity, but none is provided.
  1793.      */
  1794.     private function doMerge(
  1795.         $entity,
  1796.         array &$visited,
  1797.         $prevManagedCopy null,
  1798.         ?array $assoc null
  1799.     ) {
  1800.         $oid spl_object_id($entity);
  1801.         if (isset($visited[$oid])) {
  1802.             $managedCopy $visited[$oid];
  1803.             if ($prevManagedCopy !== null) {
  1804.                 $this->updateAssociationWithMergedEntity($entity$assoc$prevManagedCopy$managedCopy);
  1805.             }
  1806.             return $managedCopy;
  1807.         }
  1808.         $class $this->em->getClassMetadata(get_class($entity));
  1809.         // First we assume DETACHED, although it can still be NEW but we can avoid
  1810.         // an extra db-roundtrip this way. If it is not MANAGED but has an identity,
  1811.         // we need to fetch it from the db anyway in order to merge.
  1812.         // MANAGED entities are ignored by the merge operation.
  1813.         $managedCopy $entity;
  1814.         if ($this->getEntityState($entityself::STATE_DETACHED) !== self::STATE_MANAGED) {
  1815.             // Try to look the entity up in the identity map.
  1816.             $id $class->getIdentifierValues($entity);
  1817.             // If there is no ID, it is actually NEW.
  1818.             if (! $id) {
  1819.                 $managedCopy $this->newInstance($class);
  1820.                 $this->mergeEntityStateIntoManagedCopy($entity$managedCopy);
  1821.                 $this->persistNew($class$managedCopy);
  1822.             } else {
  1823.                 $flatId $class->containsForeignIdentifier || $class->containsEnumIdentifier
  1824.                     $this->identifierFlattener->flattenIdentifier($class$id)
  1825.                     : $id;
  1826.                 $managedCopy $this->tryGetById($flatId$class->rootEntityName);
  1827.                 if ($managedCopy) {
  1828.                     // We have the entity in-memory already, just make sure its not removed.
  1829.                     if ($this->getEntityState($managedCopy) === self::STATE_REMOVED) {
  1830.                         throw ORMInvalidArgumentException::entityIsRemoved($managedCopy'merge');
  1831.                     }
  1832.                 } else {
  1833.                     // We need to fetch the managed copy in order to merge.
  1834.                     $managedCopy $this->em->find($class->name$flatId);
  1835.                 }
  1836.                 if ($managedCopy === null) {
  1837.                     // If the identifier is ASSIGNED, it is NEW, otherwise an error
  1838.                     // since the managed entity was not found.
  1839.                     if (! $class->isIdentifierNatural()) {
  1840.                         throw EntityNotFoundException::fromClassNameAndIdentifier(
  1841.                             $class->getName(),
  1842.                             $this->identifierFlattener->flattenIdentifier($class$id)
  1843.                         );
  1844.                     }
  1845.                     $managedCopy $this->newInstance($class);
  1846.                     $class->setIdentifierValues($managedCopy$id);
  1847.                     $this->mergeEntityStateIntoManagedCopy($entity$managedCopy);
  1848.                     $this->persistNew($class$managedCopy);
  1849.                 } else {
  1850.                     $this->ensureVersionMatch($class$entity$managedCopy);
  1851.                     $this->mergeEntityStateIntoManagedCopy($entity$managedCopy);
  1852.                 }
  1853.             }
  1854.             $visited[$oid] = $managedCopy// mark visited
  1855.             if ($class->isChangeTrackingDeferredExplicit()) {
  1856.                 $this->scheduleForDirtyCheck($entity);
  1857.             }
  1858.         }
  1859.         if ($prevManagedCopy !== null) {
  1860.             $this->updateAssociationWithMergedEntity($entity$assoc$prevManagedCopy$managedCopy);
  1861.         }
  1862.         // Mark the managed copy visited as well
  1863.         $visited[spl_object_id($managedCopy)] = $managedCopy;
  1864.         $this->cascadeMerge($entity$managedCopy$visited);
  1865.         return $managedCopy;
  1866.     }
  1867.     /**
  1868.      * @param object $entity
  1869.      * @param object $managedCopy
  1870.      * @psalm-param ClassMetadata<T> $class
  1871.      * @psalm-param T $entity
  1872.      * @psalm-param T $managedCopy
  1873.      *
  1874.      * @throws OptimisticLockException
  1875.      *
  1876.      * @template T of object
  1877.      */
  1878.     private function ensureVersionMatch(
  1879.         ClassMetadata $class,
  1880.         $entity,
  1881.         $managedCopy
  1882.     ): void {
  1883.         if (! ($class->isVersioned && ! $this->isUninitializedObject($managedCopy) && ! $this->isUninitializedObject($entity))) {
  1884.             return;
  1885.         }
  1886.         assert($class->versionField !== null);
  1887.         $reflField          $class->reflFields[$class->versionField];
  1888.         $managedCopyVersion $reflField->getValue($managedCopy);
  1889.         $entityVersion      $reflField->getValue($entity);
  1890.         // Throw exception if versions don't match.
  1891.         // phpcs:ignore SlevomatCodingStandard.Operators.DisallowEqualOperators.DisallowedEqualOperator
  1892.         if ($managedCopyVersion == $entityVersion) {
  1893.             return;
  1894.         }
  1895.         throw OptimisticLockException::lockFailedVersionMismatch($entity$entityVersion$managedCopyVersion);
  1896.     }
  1897.     /**
  1898.      * Sets/adds associated managed copies into the previous entity's association field
  1899.      *
  1900.      * @param object $entity
  1901.      * @psalm-param AssociationMapping $association
  1902.      */
  1903.     private function updateAssociationWithMergedEntity(
  1904.         $entity,
  1905.         array $association,
  1906.         $previousManagedCopy,
  1907.         $managedCopy
  1908.     ): void {
  1909.         $assocField $association['fieldName'];
  1910.         $prevClass  $this->em->getClassMetadata(get_class($previousManagedCopy));
  1911.         if ($association['type'] & ClassMetadata::TO_ONE) {
  1912.             $prevClass->reflFields[$assocField]->setValue($previousManagedCopy$managedCopy);
  1913.             return;
  1914.         }
  1915.         $value   $prevClass->reflFields[$assocField]->getValue($previousManagedCopy);
  1916.         $value[] = $managedCopy;
  1917.         if ($association['type'] === ClassMetadata::ONE_TO_MANY) {
  1918.             $class $this->em->getClassMetadata(get_class($entity));
  1919.             $class->reflFields[$association['mappedBy']]->setValue($managedCopy$previousManagedCopy);
  1920.         }
  1921.     }
  1922.     /**
  1923.      * Detaches an entity from the persistence management. It's persistence will
  1924.      * no longer be managed by Doctrine.
  1925.      *
  1926.      * @param object $entity The entity to detach.
  1927.      *
  1928.      * @return void
  1929.      */
  1930.     public function detach($entity)
  1931.     {
  1932.         $visited = [];
  1933.         $this->doDetach($entity$visited);
  1934.     }
  1935.     /**
  1936.      * Executes a detach operation on the given entity.
  1937.      *
  1938.      * @param object  $entity
  1939.      * @param mixed[] $visited
  1940.      * @param bool    $noCascade if true, don't cascade detach operation.
  1941.      */
  1942.     private function doDetach(
  1943.         $entity,
  1944.         array &$visited,
  1945.         bool $noCascade false
  1946.     ): void {
  1947.         $oid spl_object_id($entity);
  1948.         if (isset($visited[$oid])) {
  1949.             return; // Prevent infinite recursion
  1950.         }
  1951.         $visited[$oid] = $entity// mark visited
  1952.         switch ($this->getEntityState($entityself::STATE_DETACHED)) {
  1953.             case self::STATE_MANAGED:
  1954.                 if ($this->isInIdentityMap($entity)) {
  1955.                     $this->removeFromIdentityMap($entity);
  1956.                 }
  1957.                 unset(
  1958.                     $this->entityInsertions[$oid],
  1959.                     $this->entityUpdates[$oid],
  1960.                     $this->entityDeletions[$oid],
  1961.                     $this->entityIdentifiers[$oid],
  1962.                     $this->entityStates[$oid],
  1963.                     $this->originalEntityData[$oid]
  1964.                 );
  1965.                 break;
  1966.             case self::STATE_NEW:
  1967.             case self::STATE_DETACHED:
  1968.                 return;
  1969.         }
  1970.         if (! $noCascade) {
  1971.             $this->cascadeDetach($entity$visited);
  1972.         }
  1973.     }
  1974.     /**
  1975.      * Refreshes the state of the given entity from the database, overwriting
  1976.      * any local, unpersisted changes.
  1977.      *
  1978.      * @param object $entity The entity to refresh
  1979.      *
  1980.      * @return void
  1981.      *
  1982.      * @throws InvalidArgumentException If the entity is not MANAGED.
  1983.      * @throws TransactionRequiredException
  1984.      */
  1985.     public function refresh($entity)
  1986.     {
  1987.         $visited = [];
  1988.         $lockMode null;
  1989.         if (func_num_args() > 1) {
  1990.             $lockMode func_get_arg(1);
  1991.         }
  1992.         $this->doRefresh($entity$visited$lockMode);
  1993.     }
  1994.     /**
  1995.      * Executes a refresh operation on an entity.
  1996.      *
  1997.      * @param object $entity The entity to refresh.
  1998.      * @psalm-param array<int, object>  $visited The already visited entities during cascades.
  1999.      * @psalm-param LockMode::*|null $lockMode
  2000.      *
  2001.      * @throws ORMInvalidArgumentException If the entity is not MANAGED.
  2002.      * @throws TransactionRequiredException
  2003.      */
  2004.     private function doRefresh($entity, array &$visited, ?int $lockMode null): void
  2005.     {
  2006.         switch (true) {
  2007.             case $lockMode === LockMode::PESSIMISTIC_READ:
  2008.             case $lockMode === LockMode::PESSIMISTIC_WRITE:
  2009.                 if (! $this->em->getConnection()->isTransactionActive()) {
  2010.                     throw TransactionRequiredException::transactionRequired();
  2011.                 }
  2012.         }
  2013.         $oid spl_object_id($entity);
  2014.         if (isset($visited[$oid])) {
  2015.             return; // Prevent infinite recursion
  2016.         }
  2017.         $visited[$oid] = $entity// mark visited
  2018.         $class $this->em->getClassMetadata(get_class($entity));
  2019.         if ($this->getEntityState($entity) !== self::STATE_MANAGED) {
  2020.             throw ORMInvalidArgumentException::entityNotManaged($entity);
  2021.         }
  2022.         $this->getEntityPersister($class->name)->refresh(
  2023.             array_combine($class->getIdentifierFieldNames(), $this->entityIdentifiers[$oid]),
  2024.             $entity,
  2025.             $lockMode
  2026.         );
  2027.         $this->cascadeRefresh($entity$visited$lockMode);
  2028.     }
  2029.     /**
  2030.      * Cascades a refresh operation to associated entities.
  2031.      *
  2032.      * @param object $entity
  2033.      * @psalm-param array<int, object> $visited
  2034.      * @psalm-param LockMode::*|null $lockMode
  2035.      */
  2036.     private function cascadeRefresh($entity, array &$visited, ?int $lockMode null): void
  2037.     {
  2038.         $class $this->em->getClassMetadata(get_class($entity));
  2039.         $associationMappings array_filter(
  2040.             $class->associationMappings,
  2041.             static function ($assoc) {
  2042.                 return $assoc['isCascadeRefresh'];
  2043.             }
  2044.         );
  2045.         foreach ($associationMappings as $assoc) {
  2046.             $relatedEntities $class->reflFields[$assoc['fieldName']]->getValue($entity);
  2047.             switch (true) {
  2048.                 case $relatedEntities instanceof PersistentCollection:
  2049.                     // Unwrap so that foreach() does not initialize
  2050.                     $relatedEntities $relatedEntities->unwrap();
  2051.                     // break; is commented intentionally!
  2052.                 case $relatedEntities instanceof Collection:
  2053.                 case is_array($relatedEntities):
  2054.                     foreach ($relatedEntities as $relatedEntity) {
  2055.                         $this->doRefresh($relatedEntity$visited$lockMode);
  2056.                     }
  2057.                     break;
  2058.                 case $relatedEntities !== null:
  2059.                     $this->doRefresh($relatedEntities$visited$lockMode);
  2060.                     break;
  2061.                 default:
  2062.                     // Do nothing
  2063.             }
  2064.         }
  2065.     }
  2066.     /**
  2067.      * Cascades a detach operation to associated entities.
  2068.      *
  2069.      * @param object             $entity
  2070.      * @param array<int, object> $visited
  2071.      */
  2072.     private function cascadeDetach($entity, array &$visited): void
  2073.     {
  2074.         $class $this->em->getClassMetadata(get_class($entity));
  2075.         $associationMappings array_filter(
  2076.             $class->associationMappings,
  2077.             static function ($assoc) {
  2078.                 return $assoc['isCascadeDetach'];
  2079.             }
  2080.         );
  2081.         foreach ($associationMappings as $assoc) {
  2082.             $relatedEntities $class->reflFields[$assoc['fieldName']]->getValue($entity);
  2083.             switch (true) {
  2084.                 case $relatedEntities instanceof PersistentCollection:
  2085.                     // Unwrap so that foreach() does not initialize
  2086.                     $relatedEntities $relatedEntities->unwrap();
  2087.                     // break; is commented intentionally!
  2088.                 case $relatedEntities instanceof Collection:
  2089.                 case is_array($relatedEntities):
  2090.                     foreach ($relatedEntities as $relatedEntity) {
  2091.                         $this->doDetach($relatedEntity$visited);
  2092.                     }
  2093.                     break;
  2094.                 case $relatedEntities !== null:
  2095.                     $this->doDetach($relatedEntities$visited);
  2096.                     break;
  2097.                 default:
  2098.                     // Do nothing
  2099.             }
  2100.         }
  2101.     }
  2102.     /**
  2103.      * Cascades a merge operation to associated entities.
  2104.      *
  2105.      * @param object $entity
  2106.      * @param object $managedCopy
  2107.      * @psalm-param array<int, object> $visited
  2108.      */
  2109.     private function cascadeMerge($entity$managedCopy, array &$visited): void
  2110.     {
  2111.         $class $this->em->getClassMetadata(get_class($entity));
  2112.         $associationMappings array_filter(
  2113.             $class->associationMappings,
  2114.             static function ($assoc) {
  2115.                 return $assoc['isCascadeMerge'];
  2116.             }
  2117.         );
  2118.         foreach ($associationMappings as $assoc) {
  2119.             $relatedEntities $class->reflFields[$assoc['fieldName']]->getValue($entity);
  2120.             if ($relatedEntities instanceof Collection) {
  2121.                 if ($relatedEntities === $class->reflFields[$assoc['fieldName']]->getValue($managedCopy)) {
  2122.                     continue;
  2123.                 }
  2124.                 if ($relatedEntities instanceof PersistentCollection) {
  2125.                     // Unwrap so that foreach() does not initialize
  2126.                     $relatedEntities $relatedEntities->unwrap();
  2127.                 }
  2128.                 foreach ($relatedEntities as $relatedEntity) {
  2129.                     $this->doMerge($relatedEntity$visited$managedCopy$assoc);
  2130.                 }
  2131.             } elseif ($relatedEntities !== null) {
  2132.                 $this->doMerge($relatedEntities$visited$managedCopy$assoc);
  2133.             }
  2134.         }
  2135.     }
  2136.     /**
  2137.      * Cascades the save operation to associated entities.
  2138.      *
  2139.      * @param object $entity
  2140.      * @psalm-param array<int, object> $visited
  2141.      */
  2142.     private function cascadePersist($entity, array &$visited): void
  2143.     {
  2144.         if ($this->isUninitializedObject($entity)) {
  2145.             // nothing to do - proxy is not initialized, therefore we don't do anything with it
  2146.             return;
  2147.         }
  2148.         $class $this->em->getClassMetadata(get_class($entity));
  2149.         $associationMappings array_filter(
  2150.             $class->associationMappings,
  2151.             static function ($assoc) {
  2152.                 return $assoc['isCascadePersist'];
  2153.             }
  2154.         );
  2155.         foreach ($associationMappings as $assoc) {
  2156.             $relatedEntities $class->reflFields[$assoc['fieldName']]->getValue($entity);
  2157.             switch (true) {
  2158.                 case $relatedEntities instanceof PersistentCollection:
  2159.                     // Unwrap so that foreach() does not initialize
  2160.                     $relatedEntities $relatedEntities->unwrap();
  2161.                     // break; is commented intentionally!
  2162.                 case $relatedEntities instanceof Collection:
  2163.                 case is_array($relatedEntities):
  2164.                     if (($assoc['type'] & ClassMetadata::TO_MANY) <= 0) {
  2165.                         throw ORMInvalidArgumentException::invalidAssociation(
  2166.                             $this->em->getClassMetadata($assoc['targetEntity']),
  2167.                             $assoc,
  2168.                             $relatedEntities
  2169.                         );
  2170.                     }
  2171.                     foreach ($relatedEntities as $relatedEntity) {
  2172.                         $this->doPersist($relatedEntity$visited);
  2173.                     }
  2174.                     break;
  2175.                 case $relatedEntities !== null:
  2176.                     if (! $relatedEntities instanceof $assoc['targetEntity']) {
  2177.                         throw ORMInvalidArgumentException::invalidAssociation(
  2178.                             $this->em->getClassMetadata($assoc['targetEntity']),
  2179.                             $assoc,
  2180.                             $relatedEntities
  2181.                         );
  2182.                     }
  2183.                     $this->doPersist($relatedEntities$visited);
  2184.                     break;
  2185.                 default:
  2186.                     // Do nothing
  2187.             }
  2188.         }
  2189.     }
  2190.     /**
  2191.      * Cascades the delete operation to associated entities.
  2192.      *
  2193.      * @param object $entity
  2194.      * @psalm-param array<int, object> $visited
  2195.      */
  2196.     private function cascadeRemove($entity, array &$visited): void
  2197.     {
  2198.         $class $this->em->getClassMetadata(get_class($entity));
  2199.         $associationMappings array_filter(
  2200.             $class->associationMappings,
  2201.             static function ($assoc) {
  2202.                 return $assoc['isCascadeRemove'];
  2203.             }
  2204.         );
  2205.         if ($associationMappings) {
  2206.             $this->initializeObject($entity);
  2207.         }
  2208.         $entitiesToCascade = [];
  2209.         foreach ($associationMappings as $assoc) {
  2210.             $relatedEntities $class->reflFields[$assoc['fieldName']]->getValue($entity);
  2211.             switch (true) {
  2212.                 case $relatedEntities instanceof Collection:
  2213.                 case is_array($relatedEntities):
  2214.                     // If its a PersistentCollection initialization is intended! No unwrap!
  2215.                     foreach ($relatedEntities as $relatedEntity) {
  2216.                         $entitiesToCascade[] = $relatedEntity;
  2217.                     }
  2218.                     break;
  2219.                 case $relatedEntities !== null:
  2220.                     $entitiesToCascade[] = $relatedEntities;
  2221.                     break;
  2222.                 default:
  2223.                     // Do nothing
  2224.             }
  2225.         }
  2226.         foreach ($entitiesToCascade as $relatedEntity) {
  2227.             $this->doRemove($relatedEntity$visited);
  2228.         }
  2229.     }
  2230.     /**
  2231.      * Acquire a lock on the given entity.
  2232.      *
  2233.      * @param object                     $entity
  2234.      * @param int|DateTimeInterface|null $lockVersion
  2235.      * @psalm-param LockMode::* $lockMode
  2236.      *
  2237.      * @throws ORMInvalidArgumentException
  2238.      * @throws TransactionRequiredException
  2239.      * @throws OptimisticLockException
  2240.      */
  2241.     public function lock($entityint $lockMode$lockVersion null): void
  2242.     {
  2243.         if ($this->getEntityState($entityself::STATE_DETACHED) !== self::STATE_MANAGED) {
  2244.             throw ORMInvalidArgumentException::entityNotManaged($entity);
  2245.         }
  2246.         $class $this->em->getClassMetadata(get_class($entity));
  2247.         switch (true) {
  2248.             case $lockMode === LockMode::OPTIMISTIC:
  2249.                 if (! $class->isVersioned) {
  2250.                     throw OptimisticLockException::notVersioned($class->name);
  2251.                 }
  2252.                 if ($lockVersion === null) {
  2253.                     return;
  2254.                 }
  2255.                 $this->initializeObject($entity);
  2256.                 assert($class->versionField !== null);
  2257.                 $entityVersion $class->reflFields[$class->versionField]->getValue($entity);
  2258.                 // phpcs:ignore SlevomatCodingStandard.Operators.DisallowEqualOperators.DisallowedNotEqualOperator
  2259.                 if ($entityVersion != $lockVersion) {
  2260.                     throw OptimisticLockException::lockFailedVersionMismatch($entity$lockVersion$entityVersion);
  2261.                 }
  2262.                 break;
  2263.             case $lockMode === LockMode::NONE:
  2264.             case $lockMode === LockMode::PESSIMISTIC_READ:
  2265.             case $lockMode === LockMode::PESSIMISTIC_WRITE:
  2266.                 if (! $this->em->getConnection()->isTransactionActive()) {
  2267.                     throw TransactionRequiredException::transactionRequired();
  2268.                 }
  2269.                 $oid spl_object_id($entity);
  2270.                 $this->getEntityPersister($class->name)->lock(
  2271.                     array_combine($class->getIdentifierFieldNames(), $this->entityIdentifiers[$oid]),
  2272.                     $lockMode
  2273.                 );
  2274.                 break;
  2275.             default:
  2276.                 // Do nothing
  2277.         }
  2278.     }
  2279.     /**
  2280.      * Clears the UnitOfWork.
  2281.      *
  2282.      * @param string|null $entityName if given, only entities of this type will get detached.
  2283.      *
  2284.      * @return void
  2285.      *
  2286.      * @throws ORMInvalidArgumentException if an invalid entity name is given.
  2287.      */
  2288.     public function clear($entityName null)
  2289.     {
  2290.         if ($entityName === null) {
  2291.             $this->identityMap                      =
  2292.             $this->entityIdentifiers                =
  2293.             $this->originalEntityData               =
  2294.             $this->entityChangeSets                 =
  2295.             $this->entityStates                     =
  2296.             $this->scheduledForSynchronization      =
  2297.             $this->entityInsertions                 =
  2298.             $this->entityUpdates                    =
  2299.             $this->entityDeletions                  =
  2300.             $this->nonCascadedNewDetectedEntities   =
  2301.             $this->collectionDeletions              =
  2302.             $this->collectionUpdates                =
  2303.             $this->extraUpdates                     =
  2304.             $this->readOnlyObjects                  =
  2305.             $this->pendingCollectionElementRemovals =
  2306.             $this->visitedCollections               =
  2307.             $this->eagerLoadingEntities             =
  2308.             $this->eagerLoadingCollections          =
  2309.             $this->orphanRemovals                   = [];
  2310.         } else {
  2311.             Deprecation::triggerIfCalledFromOutside(
  2312.                 'doctrine/orm',
  2313.                 'https://github.com/doctrine/orm/issues/8460',
  2314.                 'Calling %s() with any arguments to clear specific entities is deprecated and will not be supported in Doctrine ORM 3.0.',
  2315.                 __METHOD__
  2316.             );
  2317.             $this->clearIdentityMapForEntityName($entityName);
  2318.             $this->clearEntityInsertionsForEntityName($entityName);
  2319.         }
  2320.         if ($this->evm->hasListeners(Events::onClear)) {
  2321.             $this->evm->dispatchEvent(Events::onClear, new Event\OnClearEventArgs($this->em$entityName));
  2322.         }
  2323.     }
  2324.     /**
  2325.      * INTERNAL:
  2326.      * Schedules an orphaned entity for removal. The remove() operation will be
  2327.      * invoked on that entity at the beginning of the next commit of this
  2328.      * UnitOfWork.
  2329.      *
  2330.      * @param object $entity
  2331.      *
  2332.      * @return void
  2333.      *
  2334.      * @ignore
  2335.      */
  2336.     public function scheduleOrphanRemoval($entity)
  2337.     {
  2338.         $this->orphanRemovals[spl_object_id($entity)] = $entity;
  2339.     }
  2340.     /**
  2341.      * INTERNAL:
  2342.      * Cancels a previously scheduled orphan removal.
  2343.      *
  2344.      * @param object $entity
  2345.      *
  2346.      * @return void
  2347.      *
  2348.      * @ignore
  2349.      */
  2350.     public function cancelOrphanRemoval($entity)
  2351.     {
  2352.         unset($this->orphanRemovals[spl_object_id($entity)]);
  2353.     }
  2354.     /**
  2355.      * INTERNAL:
  2356.      * Schedules a complete collection for removal when this UnitOfWork commits.
  2357.      *
  2358.      * @return void
  2359.      */
  2360.     public function scheduleCollectionDeletion(PersistentCollection $coll)
  2361.     {
  2362.         $coid spl_object_id($coll);
  2363.         // TODO: if $coll is already scheduled for recreation ... what to do?
  2364.         // Just remove $coll from the scheduled recreations?
  2365.         unset($this->collectionUpdates[$coid]);
  2366.         $this->collectionDeletions[$coid] = $coll;
  2367.     }
  2368.     /** @return bool */
  2369.     public function isCollectionScheduledForDeletion(PersistentCollection $coll)
  2370.     {
  2371.         return isset($this->collectionDeletions[spl_object_id($coll)]);
  2372.     }
  2373.     /** @return object */
  2374.     private function newInstance(ClassMetadata $class)
  2375.     {
  2376.         $entity $class->newInstance();
  2377.         if ($entity instanceof ObjectManagerAware) {
  2378.             $entity->injectObjectManager($this->em$class);
  2379.         }
  2380.         return $entity;
  2381.     }
  2382.     /**
  2383.      * INTERNAL:
  2384.      * Creates an entity. Used for reconstitution of persistent entities.
  2385.      *
  2386.      * Internal note: Highly performance-sensitive method.
  2387.      *
  2388.      * @param string  $className The name of the entity class.
  2389.      * @param mixed[] $data      The data for the entity.
  2390.      * @param mixed[] $hints     Any hints to account for during reconstitution/lookup of the entity.
  2391.      * @psalm-param class-string $className
  2392.      * @psalm-param array<string, mixed> $hints
  2393.      *
  2394.      * @return object The managed entity instance.
  2395.      *
  2396.      * @ignore
  2397.      * @todo Rename: getOrCreateEntity
  2398.      */
  2399.     public function createEntity($className, array $data, &$hints = [])
  2400.     {
  2401.         $class $this->em->getClassMetadata($className);
  2402.         $id     $this->identifierFlattener->flattenIdentifier($class$data);
  2403.         $idHash self::getIdHashByIdentifier($id);
  2404.         if (isset($this->identityMap[$class->rootEntityName][$idHash])) {
  2405.             $entity $this->identityMap[$class->rootEntityName][$idHash];
  2406.             $oid    spl_object_id($entity);
  2407.             if (
  2408.                 isset($hints[Query::HINT_REFRESH], $hints[Query::HINT_REFRESH_ENTITY])
  2409.             ) {
  2410.                 $unmanagedProxy $hints[Query::HINT_REFRESH_ENTITY];
  2411.                 if (
  2412.                     $unmanagedProxy !== $entity
  2413.                     && $this->isIdentifierEquals($unmanagedProxy$entity)
  2414.                 ) {
  2415.                     // We will hydrate the given un-managed proxy anyway:
  2416.                     // continue work, but consider it the entity from now on
  2417.                     $entity $unmanagedProxy;
  2418.                 }
  2419.             }
  2420.             if ($this->isUninitializedObject($entity)) {
  2421.                 $entity->__setInitialized(true);
  2422.             } else {
  2423.                 if (
  2424.                     ! isset($hints[Query::HINT_REFRESH])
  2425.                     || (isset($hints[Query::HINT_REFRESH_ENTITY]) && $hints[Query::HINT_REFRESH_ENTITY] !== $entity)
  2426.                 ) {
  2427.                     return $entity;
  2428.                 }
  2429.             }
  2430.             // inject ObjectManager upon refresh.
  2431.             if ($entity instanceof ObjectManagerAware) {
  2432.                 $entity->injectObjectManager($this->em$class);
  2433.             }
  2434.             $this->originalEntityData[$oid] = $data;
  2435.             if ($entity instanceof NotifyPropertyChanged) {
  2436.                 $entity->addPropertyChangedListener($this);
  2437.             }
  2438.         } else {
  2439.             $entity $this->newInstance($class);
  2440.             $oid    spl_object_id($entity);
  2441.             $this->registerManaged($entity$id$data);
  2442.             if (isset($hints[Query::HINT_READ_ONLY])) {
  2443.                 $this->readOnlyObjects[$oid] = true;
  2444.             }
  2445.         }
  2446.         foreach ($data as $field => $value) {
  2447.             if (isset($class->fieldMappings[$field])) {
  2448.                 $class->reflFields[$field]->setValue($entity$value);
  2449.             }
  2450.         }
  2451.         // Loading the entity right here, if its in the eager loading map get rid of it there.
  2452.         unset($this->eagerLoadingEntities[$class->rootEntityName][$idHash]);
  2453.         if (isset($this->eagerLoadingEntities[$class->rootEntityName]) && ! $this->eagerLoadingEntities[$class->rootEntityName]) {
  2454.             unset($this->eagerLoadingEntities[$class->rootEntityName]);
  2455.         }
  2456.         // Properly initialize any unfetched associations, if partial objects are not allowed.
  2457.         if (isset($hints[Query::HINT_FORCE_PARTIAL_LOAD])) {
  2458.             Deprecation::trigger(
  2459.                 'doctrine/orm',
  2460.                 'https://github.com/doctrine/orm/issues/8471',
  2461.                 'Partial Objects are deprecated (here entity %s)',
  2462.                 $className
  2463.             );
  2464.             return $entity;
  2465.         }
  2466.         foreach ($class->associationMappings as $field => $assoc) {
  2467.             // Check if the association is not among the fetch-joined associations already.
  2468.             if (isset($hints['fetchAlias'], $hints['fetched'][$hints['fetchAlias']][$field])) {
  2469.                 continue;
  2470.             }
  2471.             if (! isset($hints['fetchMode'][$class->name][$field])) {
  2472.                 $hints['fetchMode'][$class->name][$field] = $assoc['fetch'];
  2473.             }
  2474.             $targetClass $this->em->getClassMetadata($assoc['targetEntity']);
  2475.             switch (true) {
  2476.                 case $assoc['type'] & ClassMetadata::TO_ONE:
  2477.                     if (! $assoc['isOwningSide']) {
  2478.                         // use the given entity association
  2479.                         if (isset($data[$field]) && is_object($data[$field]) && isset($this->entityStates[spl_object_id($data[$field])])) {
  2480.                             $this->originalEntityData[$oid][$field] = $data[$field];
  2481.                             $class->reflFields[$field]->setValue($entity$data[$field]);
  2482.                             $targetClass->reflFields[$assoc['mappedBy']]->setValue($data[$field], $entity);
  2483.                             continue 2;
  2484.                         }
  2485.                         // Inverse side of x-to-one can never be lazy
  2486.                         $class->reflFields[$field]->setValue($entity$this->getEntityPersister($assoc['targetEntity'])->loadOneToOneEntity($assoc$entity));
  2487.                         continue 2;
  2488.                     }
  2489.                     // use the entity association
  2490.                     if (isset($data[$field]) && is_object($data[$field]) && isset($this->entityStates[spl_object_id($data[$field])])) {
  2491.                         $class->reflFields[$field]->setValue($entity$data[$field]);
  2492.                         $this->originalEntityData[$oid][$field] = $data[$field];
  2493.                         break;
  2494.                     }
  2495.                     $associatedId = [];
  2496.                     // TODO: Is this even computed right in all cases of composite keys?
  2497.                     foreach ($assoc['targetToSourceKeyColumns'] as $targetColumn => $srcColumn) {
  2498.                         $joinColumnValue $data[$srcColumn] ?? null;
  2499.                         if ($joinColumnValue !== null) {
  2500.                             if ($joinColumnValue instanceof BackedEnum) {
  2501.                                 $joinColumnValue $joinColumnValue->value;
  2502.                             }
  2503.                             if ($targetClass->containsForeignIdentifier) {
  2504.                                 $associatedId[$targetClass->getFieldForColumn($targetColumn)] = $joinColumnValue;
  2505.                             } else {
  2506.                                 $associatedId[$targetClass->fieldNames[$targetColumn]] = $joinColumnValue;
  2507.                             }
  2508.                         } elseif (
  2509.                             $targetClass->containsForeignIdentifier
  2510.                             && in_array($targetClass->getFieldForColumn($targetColumn), $targetClass->identifiertrue)
  2511.                         ) {
  2512.                             // the missing key is part of target's entity primary key
  2513.                             $associatedId = [];
  2514.                             break;
  2515.                         }
  2516.                     }
  2517.                     if (! $associatedId) {
  2518.                         // Foreign key is NULL
  2519.                         $class->reflFields[$field]->setValue($entitynull);
  2520.                         $this->originalEntityData[$oid][$field] = null;
  2521.                         break;
  2522.                     }
  2523.                     // Foreign key is set
  2524.                     // Check identity map first
  2525.                     // FIXME: Can break easily with composite keys if join column values are in
  2526.                     //        wrong order. The correct order is the one in ClassMetadata#identifier.
  2527.                     $relatedIdHash self::getIdHashByIdentifier($associatedId);
  2528.                     switch (true) {
  2529.                         case isset($this->identityMap[$targetClass->rootEntityName][$relatedIdHash]):
  2530.                             $newValue $this->identityMap[$targetClass->rootEntityName][$relatedIdHash];
  2531.                             // If this is an uninitialized proxy, we are deferring eager loads,
  2532.                             // this association is marked as eager fetch, and its an uninitialized proxy (wtf!)
  2533.                             // then we can append this entity for eager loading!
  2534.                             if (
  2535.                                 $hints['fetchMode'][$class->name][$field] === ClassMetadata::FETCH_EAGER &&
  2536.                                 isset($hints[self::HINT_DEFEREAGERLOAD]) &&
  2537.                                 ! $targetClass->isIdentifierComposite &&
  2538.                                 $this->isUninitializedObject($newValue)
  2539.                             ) {
  2540.                                 $this->eagerLoadingEntities[$targetClass->rootEntityName][$relatedIdHash] = current($associatedId);
  2541.                             }
  2542.                             break;
  2543.                         case $targetClass->subClasses:
  2544.                             // If it might be a subtype, it can not be lazy. There isn't even
  2545.                             // a way to solve this with deferred eager loading, which means putting
  2546.                             // an entity with subclasses at a *-to-one location is really bad! (performance-wise)
  2547.                             $newValue $this->getEntityPersister($assoc['targetEntity'])->loadOneToOneEntity($assoc$entity$associatedId);
  2548.                             break;
  2549.                         default:
  2550.                             $normalizedAssociatedId $this->normalizeIdentifier($targetClass$associatedId);
  2551.                             switch (true) {
  2552.                                 // We are negating the condition here. Other cases will assume it is valid!
  2553.                                 case $hints['fetchMode'][$class->name][$field] !== ClassMetadata::FETCH_EAGER:
  2554.                                     $newValue $this->em->getProxyFactory()->getProxy($assoc['targetEntity'], $normalizedAssociatedId);
  2555.                                     $this->registerManaged($newValue$associatedId, []);
  2556.                                     break;
  2557.                                 // Deferred eager load only works for single identifier classes
  2558.                                 case isset($hints[self::HINT_DEFEREAGERLOAD]) &&
  2559.                                     $hints[self::HINT_DEFEREAGERLOAD] &&
  2560.                                     ! $targetClass->isIdentifierComposite:
  2561.                                     // TODO: Is there a faster approach?
  2562.                                     $this->eagerLoadingEntities[$targetClass->rootEntityName][$relatedIdHash] = current($normalizedAssociatedId);
  2563.                                     $newValue $this->em->getProxyFactory()->getProxy($assoc['targetEntity'], $normalizedAssociatedId);
  2564.                                     $this->registerManaged($newValue$associatedId, []);
  2565.                                     break;
  2566.                                 default:
  2567.                                     // TODO: This is very imperformant, ignore it?
  2568.                                     $newValue $this->em->find($assoc['targetEntity'], $normalizedAssociatedId);
  2569.                                     break;
  2570.                             }
  2571.                     }
  2572.                     $this->originalEntityData[$oid][$field] = $newValue;
  2573.                     $class->reflFields[$field]->setValue($entity$newValue);
  2574.                     if ($assoc['inversedBy'] && $assoc['type'] & ClassMetadata::ONE_TO_ONE && $newValue !== null) {
  2575.                         $inverseAssoc $targetClass->associationMappings[$assoc['inversedBy']];
  2576.                         $targetClass->reflFields[$inverseAssoc['fieldName']]->setValue($newValue$entity);
  2577.                     }
  2578.                     break;
  2579.                 default:
  2580.                     // Ignore if its a cached collection
  2581.                     if (isset($hints[Query::HINT_CACHE_ENABLED]) && $class->getFieldValue($entity$field) instanceof PersistentCollection) {
  2582.                         break;
  2583.                     }
  2584.                     // use the given collection
  2585.                     if (isset($data[$field]) && $data[$field] instanceof PersistentCollection) {
  2586.                         $data[$field]->setOwner($entity$assoc);
  2587.                         $class->reflFields[$field]->setValue($entity$data[$field]);
  2588.                         $this->originalEntityData[$oid][$field] = $data[$field];
  2589.                         break;
  2590.                     }
  2591.                     // Inject collection
  2592.                     $pColl = new PersistentCollection($this->em$targetClass, new ArrayCollection());
  2593.                     $pColl->setOwner($entity$assoc);
  2594.                     $pColl->setInitialized(false);
  2595.                     $reflField $class->reflFields[$field];
  2596.                     $reflField->setValue($entity$pColl);
  2597.                     if ($hints['fetchMode'][$class->name][$field] === ClassMetadata::FETCH_EAGER) {
  2598.                         if ($assoc['type'] === ClassMetadata::ONE_TO_MANY) {
  2599.                             $this->scheduleCollectionForBatchLoading($pColl$class);
  2600.                         } elseif ($assoc['type'] === ClassMetadata::MANY_TO_MANY) {
  2601.                             $this->loadCollection($pColl);
  2602.                             $pColl->takeSnapshot();
  2603.                         }
  2604.                     }
  2605.                     $this->originalEntityData[$oid][$field] = $pColl;
  2606.                     break;
  2607.             }
  2608.         }
  2609.         // defer invoking of postLoad event to hydration complete step
  2610.         $this->hydrationCompleteHandler->deferPostLoadInvoking($class$entity);
  2611.         return $entity;
  2612.     }
  2613.     /** @return void */
  2614.     public function triggerEagerLoads()
  2615.     {
  2616.         if (! $this->eagerLoadingEntities && ! $this->eagerLoadingCollections) {
  2617.             return;
  2618.         }
  2619.         // avoid infinite recursion
  2620.         $eagerLoadingEntities       $this->eagerLoadingEntities;
  2621.         $this->eagerLoadingEntities = [];
  2622.         foreach ($eagerLoadingEntities as $entityName => $ids) {
  2623.             if (! $ids) {
  2624.                 continue;
  2625.             }
  2626.             $class   $this->em->getClassMetadata($entityName);
  2627.             $batches array_chunk($ids$this->em->getConfiguration()->getEagerFetchBatchSize());
  2628.             foreach ($batches as $batchedIds) {
  2629.                 $this->getEntityPersister($entityName)->loadAll(
  2630.                     array_combine($class->identifier, [$batchedIds])
  2631.                 );
  2632.             }
  2633.         }
  2634.         $eagerLoadingCollections       $this->eagerLoadingCollections// avoid recursion
  2635.         $this->eagerLoadingCollections = [];
  2636.         foreach ($eagerLoadingCollections as $group) {
  2637.             $this->eagerLoadCollections($group['items'], $group['mapping']);
  2638.         }
  2639.     }
  2640.     /**
  2641.      * Load all data into the given collections, according to the specified mapping
  2642.      *
  2643.      * @param PersistentCollection[] $collections
  2644.      * @param array<string, mixed>   $mapping
  2645.      * @psalm-param array{targetEntity: class-string, sourceEntity: class-string, mappedBy: string, indexBy: string|null} $mapping
  2646.      */
  2647.     private function eagerLoadCollections(array $collections, array $mapping): void
  2648.     {
  2649.         $targetEntity $mapping['targetEntity'];
  2650.         $class        $this->em->getClassMetadata($mapping['sourceEntity']);
  2651.         $mappedBy     $mapping['mappedBy'];
  2652.         $batches array_chunk($collections$this->em->getConfiguration()->getEagerFetchBatchSize(), true);
  2653.         foreach ($batches as $collectionBatch) {
  2654.             $entities = [];
  2655.             foreach ($collectionBatch as $collection) {
  2656.                 $entities[] = $collection->getOwner();
  2657.             }
  2658.             $found $this->getEntityPersister($targetEntity)->loadAll([$mappedBy => $entities]);
  2659.             $targetClass    $this->em->getClassMetadata($targetEntity);
  2660.             $targetProperty $targetClass->getReflectionProperty($mappedBy);
  2661.             foreach ($found as $targetValue) {
  2662.                 $sourceEntity $targetProperty->getValue($targetValue);
  2663.                 $id     $this->identifierFlattener->flattenIdentifier($class$class->getIdentifierValues($sourceEntity));
  2664.                 $idHash implode(' '$id);
  2665.                 if (isset($mapping['indexBy'])) {
  2666.                     $indexByProperty $targetClass->getReflectionProperty($mapping['indexBy']);
  2667.                     $collectionBatch[$idHash]->hydrateSet($indexByProperty->getValue($targetValue), $targetValue);
  2668.                 } else {
  2669.                     $collectionBatch[$idHash]->add($targetValue);
  2670.                 }
  2671.             }
  2672.         }
  2673.         foreach ($collections as $association) {
  2674.             $association->setInitialized(true);
  2675.             $association->takeSnapshot();
  2676.         }
  2677.     }
  2678.     /**
  2679.      * Initializes (loads) an uninitialized persistent collection of an entity.
  2680.      *
  2681.      * @param PersistentCollection $collection The collection to initialize.
  2682.      *
  2683.      * @return void
  2684.      *
  2685.      * @todo Maybe later move to EntityManager#initialize($proxyOrCollection). See DDC-733.
  2686.      */
  2687.     public function loadCollection(PersistentCollection $collection)
  2688.     {
  2689.         $assoc     $collection->getMapping();
  2690.         $persister $this->getEntityPersister($assoc['targetEntity']);
  2691.         switch ($assoc['type']) {
  2692.             case ClassMetadata::ONE_TO_MANY:
  2693.                 $persister->loadOneToManyCollection($assoc$collection->getOwner(), $collection);
  2694.                 break;
  2695.             case ClassMetadata::MANY_TO_MANY:
  2696.                 $persister->loadManyToManyCollection($assoc$collection->getOwner(), $collection);
  2697.                 break;
  2698.         }
  2699.         $collection->setInitialized(true);
  2700.     }
  2701.     /**
  2702.      * Schedule this collection for batch loading at the end of the UnitOfWork
  2703.      */
  2704.     private function scheduleCollectionForBatchLoading(PersistentCollection $collectionClassMetadata $sourceClass): void
  2705.     {
  2706.         $mapping $collection->getMapping();
  2707.         $name    $mapping['sourceEntity'] . '#' $mapping['fieldName'];
  2708.         if (! isset($this->eagerLoadingCollections[$name])) {
  2709.             $this->eagerLoadingCollections[$name] = [
  2710.                 'items'   => [],
  2711.                 'mapping' => $mapping,
  2712.             ];
  2713.         }
  2714.         $owner $collection->getOwner();
  2715.         assert($owner !== null);
  2716.         $id     $this->identifierFlattener->flattenIdentifier(
  2717.             $sourceClass,
  2718.             $sourceClass->getIdentifierValues($owner)
  2719.         );
  2720.         $idHash implode(' '$id);
  2721.         $this->eagerLoadingCollections[$name]['items'][$idHash] = $collection;
  2722.     }
  2723.     /**
  2724.      * Gets the identity map of the UnitOfWork.
  2725.      *
  2726.      * @psalm-return array<class-string, array<string, object>>
  2727.      */
  2728.     public function getIdentityMap()
  2729.     {
  2730.         return $this->identityMap;
  2731.     }
  2732.     /**
  2733.      * Gets the original data of an entity. The original data is the data that was
  2734.      * present at the time the entity was reconstituted from the database.
  2735.      *
  2736.      * @param object $entity
  2737.      *
  2738.      * @return mixed[]
  2739.      * @psalm-return array<string, mixed>
  2740.      */
  2741.     public function getOriginalEntityData($entity)
  2742.     {
  2743.         $oid spl_object_id($entity);
  2744.         return $this->originalEntityData[$oid] ?? [];
  2745.     }
  2746.     /**
  2747.      * @param object  $entity
  2748.      * @param mixed[] $data
  2749.      *
  2750.      * @return void
  2751.      *
  2752.      * @ignore
  2753.      */
  2754.     public function setOriginalEntityData($entity, array $data)
  2755.     {
  2756.         $this->originalEntityData[spl_object_id($entity)] = $data;
  2757.     }
  2758.     /**
  2759.      * INTERNAL:
  2760.      * Sets a property value of the original data array of an entity.
  2761.      *
  2762.      * @param int    $oid
  2763.      * @param string $property
  2764.      * @param mixed  $value
  2765.      *
  2766.      * @return void
  2767.      *
  2768.      * @ignore
  2769.      */
  2770.     public function setOriginalEntityProperty($oid$property$value)
  2771.     {
  2772.         $this->originalEntityData[$oid][$property] = $value;
  2773.     }
  2774.     /**
  2775.      * Gets the identifier of an entity.
  2776.      * The returned value is always an array of identifier values. If the entity
  2777.      * has a composite identifier then the identifier values are in the same
  2778.      * order as the identifier field names as returned by ClassMetadata#getIdentifierFieldNames().
  2779.      *
  2780.      * @param object $entity
  2781.      *
  2782.      * @return mixed[] The identifier values.
  2783.      */
  2784.     public function getEntityIdentifier($entity)
  2785.     {
  2786.         if (! isset($this->entityIdentifiers[spl_object_id($entity)])) {
  2787.             throw EntityNotFoundException::noIdentifierFound(get_debug_type($entity));
  2788.         }
  2789.         return $this->entityIdentifiers[spl_object_id($entity)];
  2790.     }
  2791.     /**
  2792.      * Processes an entity instance to extract their identifier values.
  2793.      *
  2794.      * @param object $entity The entity instance.
  2795.      *
  2796.      * @return mixed A scalar value.
  2797.      *
  2798.      * @throws ORMInvalidArgumentException
  2799.      */
  2800.     public function getSingleIdentifierValue($entity)
  2801.     {
  2802.         $class $this->em->getClassMetadata(get_class($entity));
  2803.         if ($class->isIdentifierComposite) {
  2804.             throw ORMInvalidArgumentException::invalidCompositeIdentifier();
  2805.         }
  2806.         $values $this->isInIdentityMap($entity)
  2807.             ? $this->getEntityIdentifier($entity)
  2808.             : $class->getIdentifierValues($entity);
  2809.         return $values[$class->identifier[0]] ?? null;
  2810.     }
  2811.     /**
  2812.      * Tries to find an entity with the given identifier in the identity map of
  2813.      * this UnitOfWork.
  2814.      *
  2815.      * @param mixed  $id            The entity identifier to look for.
  2816.      * @param string $rootClassName The name of the root class of the mapped entity hierarchy.
  2817.      * @psalm-param class-string $rootClassName
  2818.      *
  2819.      * @return object|false Returns the entity with the specified identifier if it exists in
  2820.      *                      this UnitOfWork, FALSE otherwise.
  2821.      */
  2822.     public function tryGetById($id$rootClassName)
  2823.     {
  2824.         $idHash self::getIdHashByIdentifier((array) $id);
  2825.         return $this->identityMap[$rootClassName][$idHash] ?? false;
  2826.     }
  2827.     /**
  2828.      * Schedules an entity for dirty-checking at commit-time.
  2829.      *
  2830.      * @param object $entity The entity to schedule for dirty-checking.
  2831.      *
  2832.      * @return void
  2833.      *
  2834.      * @todo Rename: scheduleForSynchronization
  2835.      */
  2836.     public function scheduleForDirtyCheck($entity)
  2837.     {
  2838.         $rootClassName $this->em->getClassMetadata(get_class($entity))->rootEntityName;
  2839.         $this->scheduledForSynchronization[$rootClassName][spl_object_id($entity)] = $entity;
  2840.     }
  2841.     /**
  2842.      * Checks whether the UnitOfWork has any pending insertions.
  2843.      *
  2844.      * @return bool TRUE if this UnitOfWork has pending insertions, FALSE otherwise.
  2845.      */
  2846.     public function hasPendingInsertions()
  2847.     {
  2848.         return ! empty($this->entityInsertions);
  2849.     }
  2850.     /**
  2851.      * Calculates the size of the UnitOfWork. The size of the UnitOfWork is the
  2852.      * number of entities in the identity map.
  2853.      *
  2854.      * @return int
  2855.      */
  2856.     public function size()
  2857.     {
  2858.         return array_sum(array_map('count'$this->identityMap));
  2859.     }
  2860.     /**
  2861.      * Gets the EntityPersister for an Entity.
  2862.      *
  2863.      * @param string $entityName The name of the Entity.
  2864.      * @psalm-param class-string $entityName
  2865.      *
  2866.      * @return EntityPersister
  2867.      */
  2868.     public function getEntityPersister($entityName)
  2869.     {
  2870.         if (isset($this->persisters[$entityName])) {
  2871.             return $this->persisters[$entityName];
  2872.         }
  2873.         $class $this->em->getClassMetadata($entityName);
  2874.         switch (true) {
  2875.             case $class->isInheritanceTypeNone():
  2876.                 $persister = new BasicEntityPersister($this->em$class);
  2877.                 break;
  2878.             case $class->isInheritanceTypeSingleTable():
  2879.                 $persister = new SingleTablePersister($this->em$class);
  2880.                 break;
  2881.             case $class->isInheritanceTypeJoined():
  2882.                 $persister = new JoinedSubclassPersister($this->em$class);
  2883.                 break;
  2884.             default:
  2885.                 throw new RuntimeException('No persister found for entity.');
  2886.         }
  2887.         if ($this->hasCache && $class->cache !== null) {
  2888.             $persister $this->em->getConfiguration()
  2889.                 ->getSecondLevelCacheConfiguration()
  2890.                 ->getCacheFactory()
  2891.                 ->buildCachedEntityPersister($this->em$persister$class);
  2892.         }
  2893.         $this->persisters[$entityName] = $persister;
  2894.         return $this->persisters[$entityName];
  2895.     }
  2896.     /**
  2897.      * Gets a collection persister for a collection-valued association.
  2898.      *
  2899.      * @psalm-param AssociationMapping $association
  2900.      *
  2901.      * @return CollectionPersister
  2902.      */
  2903.     public function getCollectionPersister(array $association)
  2904.     {
  2905.         $role = isset($association['cache'])
  2906.             ? $association['sourceEntity'] . '::' $association['fieldName']
  2907.             : $association['type'];
  2908.         if (isset($this->collectionPersisters[$role])) {
  2909.             return $this->collectionPersisters[$role];
  2910.         }
  2911.         $persister $association['type'] === ClassMetadata::ONE_TO_MANY
  2912.             ? new OneToManyPersister($this->em)
  2913.             : new ManyToManyPersister($this->em);
  2914.         if ($this->hasCache && isset($association['cache'])) {
  2915.             $persister $this->em->getConfiguration()
  2916.                 ->getSecondLevelCacheConfiguration()
  2917.                 ->getCacheFactory()
  2918.                 ->buildCachedCollectionPersister($this->em$persister$association);
  2919.         }
  2920.         $this->collectionPersisters[$role] = $persister;
  2921.         return $this->collectionPersisters[$role];
  2922.     }
  2923.     /**
  2924.      * INTERNAL:
  2925.      * Registers an entity as managed.
  2926.      *
  2927.      * @param object  $entity The entity.
  2928.      * @param mixed[] $id     The identifier values.
  2929.      * @param mixed[] $data   The original entity data.
  2930.      *
  2931.      * @return void
  2932.      */
  2933.     public function registerManaged($entity, array $id, array $data)
  2934.     {
  2935.         $oid spl_object_id($entity);
  2936.         $this->entityIdentifiers[$oid]  = $id;
  2937.         $this->entityStates[$oid]       = self::STATE_MANAGED;
  2938.         $this->originalEntityData[$oid] = $data;
  2939.         $this->addToIdentityMap($entity);
  2940.         if ($entity instanceof NotifyPropertyChanged && ! $this->isUninitializedObject($entity)) {
  2941.             $entity->addPropertyChangedListener($this);
  2942.         }
  2943.     }
  2944.     /**
  2945.      * INTERNAL:
  2946.      * Clears the property changeset of the entity with the given OID.
  2947.      *
  2948.      * @param int $oid The entity's OID.
  2949.      *
  2950.      * @return void
  2951.      */
  2952.     public function clearEntityChangeSet($oid)
  2953.     {
  2954.         unset($this->entityChangeSets[$oid]);
  2955.     }
  2956.     /* PropertyChangedListener implementation */
  2957.     /**
  2958.      * Notifies this UnitOfWork of a property change in an entity.
  2959.      *
  2960.      * @param object $sender       The entity that owns the property.
  2961.      * @param string $propertyName The name of the property that changed.
  2962.      * @param mixed  $oldValue     The old value of the property.
  2963.      * @param mixed  $newValue     The new value of the property.
  2964.      *
  2965.      * @return void
  2966.      */
  2967.     public function propertyChanged($sender$propertyName$oldValue$newValue)
  2968.     {
  2969.         $oid   spl_object_id($sender);
  2970.         $class $this->em->getClassMetadata(get_class($sender));
  2971.         $isAssocField = isset($class->associationMappings[$propertyName]);
  2972.         if (! $isAssocField && ! isset($class->fieldMappings[$propertyName])) {
  2973.             return; // ignore non-persistent fields
  2974.         }
  2975.         // Update changeset and mark entity for synchronization
  2976.         $this->entityChangeSets[$oid][$propertyName] = [$oldValue$newValue];
  2977.         if (! isset($this->scheduledForSynchronization[$class->rootEntityName][$oid])) {
  2978.             $this->scheduleForDirtyCheck($sender);
  2979.         }
  2980.     }
  2981.     /**
  2982.      * Gets the currently scheduled entity insertions in this UnitOfWork.
  2983.      *
  2984.      * @psalm-return array<int, object>
  2985.      */
  2986.     public function getScheduledEntityInsertions()
  2987.     {
  2988.         return $this->entityInsertions;
  2989.     }
  2990.     /**
  2991.      * Gets the currently scheduled entity updates in this UnitOfWork.
  2992.      *
  2993.      * @psalm-return array<int, object>
  2994.      */
  2995.     public function getScheduledEntityUpdates()
  2996.     {
  2997.         return $this->entityUpdates;
  2998.     }
  2999.     /**
  3000.      * Gets the currently scheduled entity deletions in this UnitOfWork.
  3001.      *
  3002.      * @psalm-return array<int, object>
  3003.      */
  3004.     public function getScheduledEntityDeletions()
  3005.     {
  3006.         return $this->entityDeletions;
  3007.     }
  3008.     /**
  3009.      * Gets the currently scheduled complete collection deletions
  3010.      *
  3011.      * @psalm-return array<int, PersistentCollection<array-key, object>>
  3012.      */
  3013.     public function getScheduledCollectionDeletions()
  3014.     {
  3015.         return $this->collectionDeletions;
  3016.     }
  3017.     /**
  3018.      * Gets the currently scheduled collection inserts, updates and deletes.
  3019.      *
  3020.      * @psalm-return array<int, PersistentCollection<array-key, object>>
  3021.      */
  3022.     public function getScheduledCollectionUpdates()
  3023.     {
  3024.         return $this->collectionUpdates;
  3025.     }
  3026.     /**
  3027.      * Helper method to initialize a lazy loading proxy or persistent collection.
  3028.      *
  3029.      * @param object $obj
  3030.      *
  3031.      * @return void
  3032.      */
  3033.     public function initializeObject($obj)
  3034.     {
  3035.         if ($obj instanceof InternalProxy) {
  3036.             $obj->__load();
  3037.             return;
  3038.         }
  3039.         if ($obj instanceof PersistentCollection) {
  3040.             $obj->initialize();
  3041.         }
  3042.     }
  3043.     /**
  3044.      * Tests if a value is an uninitialized entity.
  3045.      *
  3046.      * @param mixed $obj
  3047.      *
  3048.      * @psalm-assert-if-true InternalProxy $obj
  3049.      */
  3050.     public function isUninitializedObject($obj): bool
  3051.     {
  3052.         return $obj instanceof InternalProxy && ! $obj->__isInitialized();
  3053.     }
  3054.     /**
  3055.      * Helper method to show an object as string.
  3056.      *
  3057.      * @param object $obj
  3058.      */
  3059.     private static function objToStr($obj): string
  3060.     {
  3061.         return method_exists($obj'__toString') ? (string) $obj get_debug_type($obj) . '@' spl_object_id($obj);
  3062.     }
  3063.     /**
  3064.      * Marks an entity as read-only so that it will not be considered for updates during UnitOfWork#commit().
  3065.      *
  3066.      * This operation cannot be undone as some parts of the UnitOfWork now keep gathering information
  3067.      * on this object that might be necessary to perform a correct update.
  3068.      *
  3069.      * @param object $object
  3070.      *
  3071.      * @return void
  3072.      *
  3073.      * @throws ORMInvalidArgumentException
  3074.      */
  3075.     public function markReadOnly($object)
  3076.     {
  3077.         if (! is_object($object) || ! $this->isInIdentityMap($object)) {
  3078.             throw ORMInvalidArgumentException::readOnlyRequiresManagedEntity($object);
  3079.         }
  3080.         $this->readOnlyObjects[spl_object_id($object)] = true;
  3081.     }
  3082.     /**
  3083.      * Is this entity read only?
  3084.      *
  3085.      * @param object $object
  3086.      *
  3087.      * @return bool
  3088.      *
  3089.      * @throws ORMInvalidArgumentException
  3090.      */
  3091.     public function isReadOnly($object)
  3092.     {
  3093.         if (! is_object($object)) {
  3094.             throw ORMInvalidArgumentException::readOnlyRequiresManagedEntity($object);
  3095.         }
  3096.         return isset($this->readOnlyObjects[spl_object_id($object)]);
  3097.     }
  3098.     /**
  3099.      * Perform whatever processing is encapsulated here after completion of the transaction.
  3100.      */
  3101.     private function afterTransactionComplete(): void
  3102.     {
  3103.         $this->performCallbackOnCachedPersister(static function (CachedPersister $persister) {
  3104.             $persister->afterTransactionComplete();
  3105.         });
  3106.     }
  3107.     /**
  3108.      * Perform whatever processing is encapsulated here after completion of the rolled-back.
  3109.      */
  3110.     private function afterTransactionRolledBack(): void
  3111.     {
  3112.         $this->performCallbackOnCachedPersister(static function (CachedPersister $persister) {
  3113.             $persister->afterTransactionRolledBack();
  3114.         });
  3115.     }
  3116.     /**
  3117.      * Performs an action after the transaction.
  3118.      */
  3119.     private function performCallbackOnCachedPersister(callable $callback): void
  3120.     {
  3121.         if (! $this->hasCache) {
  3122.             return;
  3123.         }
  3124.         foreach (array_merge($this->persisters$this->collectionPersisters) as $persister) {
  3125.             if ($persister instanceof CachedPersister) {
  3126.                 $callback($persister);
  3127.             }
  3128.         }
  3129.     }
  3130.     private function dispatchOnFlushEvent(): void
  3131.     {
  3132.         if ($this->evm->hasListeners(Events::onFlush)) {
  3133.             $this->evm->dispatchEvent(Events::onFlush, new OnFlushEventArgs($this->em));
  3134.         }
  3135.     }
  3136.     private function dispatchPostFlushEvent(): void
  3137.     {
  3138.         if ($this->evm->hasListeners(Events::postFlush)) {
  3139.             $this->evm->dispatchEvent(Events::postFlush, new PostFlushEventArgs($this->em));
  3140.         }
  3141.     }
  3142.     /**
  3143.      * Verifies if two given entities actually are the same based on identifier comparison
  3144.      *
  3145.      * @param object $entity1
  3146.      * @param object $entity2
  3147.      */
  3148.     private function isIdentifierEquals($entity1$entity2): bool
  3149.     {
  3150.         if ($entity1 === $entity2) {
  3151.             return true;
  3152.         }
  3153.         $class $this->em->getClassMetadata(get_class($entity1));
  3154.         if ($class !== $this->em->getClassMetadata(get_class($entity2))) {
  3155.             return false;
  3156.         }
  3157.         $oid1 spl_object_id($entity1);
  3158.         $oid2 spl_object_id($entity2);
  3159.         $id1 $this->entityIdentifiers[$oid1] ?? $this->identifierFlattener->flattenIdentifier($class$class->getIdentifierValues($entity1));
  3160.         $id2 $this->entityIdentifiers[$oid2] ?? $this->identifierFlattener->flattenIdentifier($class$class->getIdentifierValues($entity2));
  3161.         return $id1 === $id2 || self::getIdHashByIdentifier($id1) === self::getIdHashByIdentifier($id2);
  3162.     }
  3163.     /** @throws ORMInvalidArgumentException */
  3164.     private function assertThatThereAreNoUnintentionallyNonPersistedAssociations(): void
  3165.     {
  3166.         $entitiesNeedingCascadePersist array_diff_key($this->nonCascadedNewDetectedEntities$this->entityInsertions);
  3167.         $this->nonCascadedNewDetectedEntities = [];
  3168.         if ($entitiesNeedingCascadePersist) {
  3169.             throw ORMInvalidArgumentException::newEntitiesFoundThroughRelationships(
  3170.                 array_values($entitiesNeedingCascadePersist)
  3171.             );
  3172.         }
  3173.     }
  3174.     /**
  3175.      * @param object $entity
  3176.      * @param object $managedCopy
  3177.      *
  3178.      * @throws ORMException
  3179.      * @throws OptimisticLockException
  3180.      * @throws TransactionRequiredException
  3181.      */
  3182.     private function mergeEntityStateIntoManagedCopy($entity$managedCopy): void
  3183.     {
  3184.         if ($this->isUninitializedObject($entity)) {
  3185.             return;
  3186.         }
  3187.         $this->initializeObject($managedCopy);
  3188.         $class $this->em->getClassMetadata(get_class($entity));
  3189.         foreach ($this->reflectionPropertiesGetter->getProperties($class->name) as $prop) {
  3190.             $name $prop->name;
  3191.             $prop->setAccessible(true);
  3192.             if (! isset($class->associationMappings[$name])) {
  3193.                 if (! $class->isIdentifier($name)) {
  3194.                     $prop->setValue($managedCopy$prop->getValue($entity));
  3195.                 }
  3196.             } else {
  3197.                 $assoc2 $class->associationMappings[$name];
  3198.                 if ($assoc2['type'] & ClassMetadata::TO_ONE) {
  3199.                     $other $prop->getValue($entity);
  3200.                     if ($other === null) {
  3201.                         $prop->setValue($managedCopynull);
  3202.                     } else {
  3203.                         if ($this->isUninitializedObject($other)) {
  3204.                             // do not merge fields marked lazy that have not been fetched.
  3205.                             continue;
  3206.                         }
  3207.                         if (! $assoc2['isCascadeMerge']) {
  3208.                             if ($this->getEntityState($other) === self::STATE_DETACHED) {
  3209.                                 $targetClass $this->em->getClassMetadata($assoc2['targetEntity']);
  3210.                                 $relatedId   $targetClass->getIdentifierValues($other);
  3211.                                 $other $this->tryGetById($relatedId$targetClass->name);
  3212.                                 if (! $other) {
  3213.                                     if ($targetClass->subClasses) {
  3214.                                         $other $this->em->find($targetClass->name$relatedId);
  3215.                                     } else {
  3216.                                         $other $this->em->getProxyFactory()->getProxy(
  3217.                                             $assoc2['targetEntity'],
  3218.                                             $relatedId
  3219.                                         );
  3220.                                         $this->registerManaged($other$relatedId, []);
  3221.                                     }
  3222.                                 }
  3223.                             }
  3224.                             $prop->setValue($managedCopy$other);
  3225.                         }
  3226.                     }
  3227.                 } else {
  3228.                     $mergeCol $prop->getValue($entity);
  3229.                     if ($mergeCol instanceof PersistentCollection && ! $mergeCol->isInitialized()) {
  3230.                         // do not merge fields marked lazy that have not been fetched.
  3231.                         // keep the lazy persistent collection of the managed copy.
  3232.                         continue;
  3233.                     }
  3234.                     $managedCol $prop->getValue($managedCopy);
  3235.                     if (! $managedCol) {
  3236.                         $managedCol = new PersistentCollection(
  3237.                             $this->em,
  3238.                             $this->em->getClassMetadata($assoc2['targetEntity']),
  3239.                             new ArrayCollection()
  3240.                         );
  3241.                         $managedCol->setOwner($managedCopy$assoc2);
  3242.                         $prop->setValue($managedCopy$managedCol);
  3243.                     }
  3244.                     if ($assoc2['isCascadeMerge']) {
  3245.                         $managedCol->initialize();
  3246.                         // clear and set dirty a managed collection if its not also the same collection to merge from.
  3247.                         if (! $managedCol->isEmpty() && $managedCol !== $mergeCol) {
  3248.                             $managedCol->unwrap()->clear();
  3249.                             $managedCol->setDirty(true);
  3250.                             if (
  3251.                                 $assoc2['isOwningSide']
  3252.                                 && $assoc2['type'] === ClassMetadata::MANY_TO_MANY
  3253.                                 && $class->isChangeTrackingNotify()
  3254.                             ) {
  3255.                                 $this->scheduleForDirtyCheck($managedCopy);
  3256.                             }
  3257.                         }
  3258.                     }
  3259.                 }
  3260.             }
  3261.             if ($class->isChangeTrackingNotify()) {
  3262.                 // Just treat all properties as changed, there is no other choice.
  3263.                 $this->propertyChanged($managedCopy$namenull$prop->getValue($managedCopy));
  3264.             }
  3265.         }
  3266.     }
  3267.     /**
  3268.      * This method called by hydrators, and indicates that hydrator totally completed current hydration cycle.
  3269.      * Unit of work able to fire deferred events, related to loading events here.
  3270.      *
  3271.      * @internal should be called internally from object hydrators
  3272.      *
  3273.      * @return void
  3274.      */
  3275.     public function hydrationComplete()
  3276.     {
  3277.         $this->hydrationCompleteHandler->hydrationComplete();
  3278.     }
  3279.     private function clearIdentityMapForEntityName(string $entityName): void
  3280.     {
  3281.         if (! isset($this->identityMap[$entityName])) {
  3282.             return;
  3283.         }
  3284.         $visited = [];
  3285.         foreach ($this->identityMap[$entityName] as $entity) {
  3286.             $this->doDetach($entity$visitedfalse);
  3287.         }
  3288.     }
  3289.     private function clearEntityInsertionsForEntityName(string $entityName): void
  3290.     {
  3291.         foreach ($this->entityInsertions as $hash => $entity) {
  3292.             // note: performance optimization - `instanceof` is much faster than a function call
  3293.             if ($entity instanceof $entityName && get_class($entity) === $entityName) {
  3294.                 unset($this->entityInsertions[$hash]);
  3295.             }
  3296.         }
  3297.     }
  3298.     /**
  3299.      * @param mixed $identifierValue
  3300.      *
  3301.      * @return mixed the identifier after type conversion
  3302.      *
  3303.      * @throws MappingException if the entity has more than a single identifier.
  3304.      */
  3305.     private function convertSingleFieldIdentifierToPHPValue(ClassMetadata $class$identifierValue)
  3306.     {
  3307.         return $this->em->getConnection()->convertToPHPValue(
  3308.             $identifierValue,
  3309.             $class->getTypeOfField($class->getSingleIdentifierFieldName())
  3310.         );
  3311.     }
  3312.     /**
  3313.      * Given a flat identifier, this method will produce another flat identifier, but with all
  3314.      * association fields that are mapped as identifiers replaced by entity references, recursively.
  3315.      *
  3316.      * @param mixed[] $flatIdentifier
  3317.      *
  3318.      * @return array<string, mixed>
  3319.      */
  3320.     private function normalizeIdentifier(ClassMetadata $targetClass, array $flatIdentifier): array
  3321.     {
  3322.         $normalizedAssociatedId = [];
  3323.         foreach ($targetClass->getIdentifierFieldNames() as $name) {
  3324.             if (! array_key_exists($name$flatIdentifier)) {
  3325.                 continue;
  3326.             }
  3327.             if (! $targetClass->isSingleValuedAssociation($name)) {
  3328.                 $normalizedAssociatedId[$name] = $flatIdentifier[$name];
  3329.                 continue;
  3330.             }
  3331.             $targetIdMetadata $this->em->getClassMetadata($targetClass->getAssociationTargetClass($name));
  3332.             // Note: the ORM prevents using an entity with a composite identifier as an identifier association
  3333.             //       therefore, reset($targetIdMetadata->identifier) is always correct
  3334.             $normalizedAssociatedId[$name] = $this->em->getReference(
  3335.                 $targetIdMetadata->getName(),
  3336.                 $this->normalizeIdentifier(
  3337.                     $targetIdMetadata,
  3338.                     [(string) reset($targetIdMetadata->identifier) => $flatIdentifier[$name]]
  3339.                 )
  3340.             );
  3341.         }
  3342.         return $normalizedAssociatedId;
  3343.     }
  3344.     /**
  3345.      * Assign a post-insert generated ID to an entity
  3346.      *
  3347.      * This is used by EntityPersisters after they inserted entities into the database.
  3348.      * It will place the assigned ID values in the entity's fields and start tracking
  3349.      * the entity in the identity map.
  3350.      *
  3351.      * @param object $entity
  3352.      * @param mixed  $generatedId
  3353.      */
  3354.     final public function assignPostInsertId($entity$generatedId): void
  3355.     {
  3356.         $class   $this->em->getClassMetadata(get_class($entity));
  3357.         $idField $class->getSingleIdentifierFieldName();
  3358.         $idValue $this->convertSingleFieldIdentifierToPHPValue($class$generatedId);
  3359.         $oid     spl_object_id($entity);
  3360.         $class->reflFields[$idField]->setValue($entity$idValue);
  3361.         $this->entityIdentifiers[$oid]            = [$idField => $idValue];
  3362.         $this->entityStates[$oid]                 = self::STATE_MANAGED;
  3363.         $this->originalEntityData[$oid][$idField] = $idValue;
  3364.         $this->addToIdentityMap($entity);
  3365.     }
  3366. }