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

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