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

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