vendor/doctrine/orm/lib/Doctrine/ORM/Mapping/ClassMetadataInfo.php line 1165

Open in your IDE?
  1. <?php
  2. declare(strict_types=1);
  3. namespace Doctrine\ORM\Mapping;
  4. use BackedEnum;
  5. use BadMethodCallException;
  6. use DateInterval;
  7. use DateTime;
  8. use DateTimeImmutable;
  9. use Doctrine\DBAL\Platforms\AbstractPlatform;
  10. use Doctrine\DBAL\Types\Type;
  11. use Doctrine\DBAL\Types\Types;
  12. use Doctrine\Deprecations\Deprecation;
  13. use Doctrine\Instantiator\Instantiator;
  14. use Doctrine\Instantiator\InstantiatorInterface;
  15. use Doctrine\ORM\Cache\Exception\NonCacheableEntityAssociation;
  16. use Doctrine\ORM\EntityRepository;
  17. use Doctrine\ORM\Id\AbstractIdGenerator;
  18. use Doctrine\Persistence\Mapping\ClassMetadata;
  19. use Doctrine\Persistence\Mapping\ReflectionService;
  20. use InvalidArgumentException;
  21. use LogicException;
  22. use ReflectionClass;
  23. use ReflectionEnum;
  24. use ReflectionNamedType;
  25. use ReflectionProperty;
  26. use RuntimeException;
  27. use function array_diff;
  28. use function array_flip;
  29. use function array_intersect;
  30. use function array_keys;
  31. use function array_map;
  32. use function array_merge;
  33. use function array_pop;
  34. use function array_values;
  35. use function assert;
  36. use function class_exists;
  37. use function count;
  38. use function enum_exists;
  39. use function explode;
  40. use function gettype;
  41. use function in_array;
  42. use function interface_exists;
  43. use function is_array;
  44. use function is_subclass_of;
  45. use function ltrim;
  46. use function method_exists;
  47. use function spl_object_id;
  48. use function str_contains;
  49. use function str_replace;
  50. use function strtolower;
  51. use function trait_exists;
  52. use function trim;
  53. use const PHP_VERSION_ID;
  54. /**
  55.  * A <tt>ClassMetadata</tt> instance holds all the object-relational mapping metadata
  56.  * of an entity and its associations.
  57.  *
  58.  * Once populated, ClassMetadata instances are usually cached in a serialized form.
  59.  *
  60.  * <b>IMPORTANT NOTE:</b>
  61.  *
  62.  * The fields of this class are only public for 2 reasons:
  63.  * 1) To allow fast READ access.
  64.  * 2) To drastically reduce the size of a serialized instance (private/protected members
  65.  *    get the whole class name, namespace inclusive, prepended to every property in
  66.  *    the serialized representation).
  67.  *
  68.  * @template-covariant T of object
  69.  * @template-implements ClassMetadata<T>
  70.  * @psalm-type FieldMapping = array{
  71.  *      type: string,
  72.  *      fieldName: string,
  73.  *      columnName: string,
  74.  *      length?: int,
  75.  *      id?: bool,
  76.  *      nullable?: bool,
  77.  *      notInsertable?: bool,
  78.  *      notUpdatable?: bool,
  79.  *      generated?: string,
  80.  *      enumType?: class-string<BackedEnum>,
  81.  *      columnDefinition?: string,
  82.  *      precision?: int,
  83.  *      scale?: int,
  84.  *      unique?: string,
  85.  *      inherited?: class-string,
  86.  *      originalClass?: class-string,
  87.  *      originalField?: string,
  88.  *      quoted?: bool,
  89.  *      requireSQLConversion?: bool,
  90.  *      declared?: class-string,
  91.  *      declaredField?: string,
  92.  *      options?: array<string, mixed>
  93.  * }
  94.  */
  95. class ClassMetadataInfo implements ClassMetadata
  96. {
  97.     /* The inheritance mapping types */
  98.     /**
  99.      * NONE means the class does not participate in an inheritance hierarchy
  100.      * and therefore does not need an inheritance mapping type.
  101.      */
  102.     public const INHERITANCE_TYPE_NONE 1;
  103.     /**
  104.      * JOINED means the class will be persisted according to the rules of
  105.      * <tt>Class Table Inheritance</tt>.
  106.      */
  107.     public const INHERITANCE_TYPE_JOINED 2;
  108.     /**
  109.      * SINGLE_TABLE means the class will be persisted according to the rules of
  110.      * <tt>Single Table Inheritance</tt>.
  111.      */
  112.     public const INHERITANCE_TYPE_SINGLE_TABLE 3;
  113.     /**
  114.      * TABLE_PER_CLASS means the class will be persisted according to the rules
  115.      * of <tt>Concrete Table Inheritance</tt>.
  116.      */
  117.     public const INHERITANCE_TYPE_TABLE_PER_CLASS 4;
  118.     /* The Id generator types. */
  119.     /**
  120.      * AUTO means the generator type will depend on what the used platform prefers.
  121.      * Offers full portability.
  122.      */
  123.     public const GENERATOR_TYPE_AUTO 1;
  124.     /**
  125.      * SEQUENCE means a separate sequence object will be used. Platforms that do
  126.      * not have native sequence support may emulate it. Full portability is currently
  127.      * not guaranteed.
  128.      */
  129.     public const GENERATOR_TYPE_SEQUENCE 2;
  130.     /**
  131.      * TABLE means a separate table is used for id generation.
  132.      * Offers full portability (in that it results in an exception being thrown
  133.      * no matter the platform).
  134.      *
  135.      * @deprecated no replacement planned
  136.      */
  137.     public const GENERATOR_TYPE_TABLE 3;
  138.     /**
  139.      * IDENTITY means an identity column is used for id generation. The database
  140.      * will fill in the id column on insertion. Platforms that do not support
  141.      * native identity columns may emulate them. Full portability is currently
  142.      * not guaranteed.
  143.      */
  144.     public const GENERATOR_TYPE_IDENTITY 4;
  145.     /**
  146.      * NONE means the class does not have a generated id. That means the class
  147.      * must have a natural, manually assigned id.
  148.      */
  149.     public const GENERATOR_TYPE_NONE 5;
  150.     /**
  151.      * UUID means that a UUID/GUID expression is used for id generation. Full
  152.      * portability is currently not guaranteed.
  153.      *
  154.      * @deprecated use an application-side generator instead
  155.      */
  156.     public const GENERATOR_TYPE_UUID 6;
  157.     /**
  158.      * CUSTOM means that customer will use own ID generator that supposedly work
  159.      */
  160.     public const GENERATOR_TYPE_CUSTOM 7;
  161.     /**
  162.      * DEFERRED_IMPLICIT means that changes of entities are calculated at commit-time
  163.      * by doing a property-by-property comparison with the original data. This will
  164.      * be done for all entities that are in MANAGED state at commit-time.
  165.      *
  166.      * This is the default change tracking policy.
  167.      */
  168.     public const CHANGETRACKING_DEFERRED_IMPLICIT 1;
  169.     /**
  170.      * DEFERRED_EXPLICIT means that changes of entities are calculated at commit-time
  171.      * by doing a property-by-property comparison with the original data. This will
  172.      * be done only for entities that were explicitly saved (through persist() or a cascade).
  173.      */
  174.     public const CHANGETRACKING_DEFERRED_EXPLICIT 2;
  175.     /**
  176.      * NOTIFY means that Doctrine relies on the entities sending out notifications
  177.      * when their properties change. Such entity classes must implement
  178.      * the <tt>NotifyPropertyChanged</tt> interface.
  179.      */
  180.     public const CHANGETRACKING_NOTIFY 3;
  181.     /**
  182.      * Specifies that an association is to be fetched when it is first accessed.
  183.      */
  184.     public const FETCH_LAZY 2;
  185.     /**
  186.      * Specifies that an association is to be fetched when the owner of the
  187.      * association is fetched.
  188.      */
  189.     public const FETCH_EAGER 3;
  190.     /**
  191.      * Specifies that an association is to be fetched lazy (on first access) and that
  192.      * commands such as Collection#count, Collection#slice are issued directly against
  193.      * the database if the collection is not yet initialized.
  194.      */
  195.     public const FETCH_EXTRA_LAZY 4;
  196.     /**
  197.      * Identifies a one-to-one association.
  198.      */
  199.     public const ONE_TO_ONE 1;
  200.     /**
  201.      * Identifies a many-to-one association.
  202.      */
  203.     public const MANY_TO_ONE 2;
  204.     /**
  205.      * Identifies a one-to-many association.
  206.      */
  207.     public const ONE_TO_MANY 4;
  208.     /**
  209.      * Identifies a many-to-many association.
  210.      */
  211.     public const MANY_TO_MANY 8;
  212.     /**
  213.      * Combined bitmask for to-one (single-valued) associations.
  214.      */
  215.     public const TO_ONE 3;
  216.     /**
  217.      * Combined bitmask for to-many (collection-valued) associations.
  218.      */
  219.     public const TO_MANY 12;
  220.     /**
  221.      * ReadOnly cache can do reads, inserts and deletes, cannot perform updates or employ any locks,
  222.      */
  223.     public const CACHE_USAGE_READ_ONLY 1;
  224.     /**
  225.      * Nonstrict Read Write Cache doesn’t employ any locks but can do inserts, update and deletes.
  226.      */
  227.     public const CACHE_USAGE_NONSTRICT_READ_WRITE 2;
  228.     /**
  229.      * Read Write Attempts to lock the entity before update/delete.
  230.      */
  231.     public const CACHE_USAGE_READ_WRITE 3;
  232.     /**
  233.      * The value of this column is never generated by the database.
  234.      */
  235.     public const GENERATED_NEVER 0;
  236.     /**
  237.      * The value of this column is generated by the database on INSERT, but not on UPDATE.
  238.      */
  239.     public const GENERATED_INSERT 1;
  240.     /**
  241.      * The value of this column is generated by the database on both INSERT and UDPATE statements.
  242.      */
  243.     public const GENERATED_ALWAYS 2;
  244.     /**
  245.      * READ-ONLY: The name of the entity class.
  246.      *
  247.      * @var string
  248.      * @psalm-var class-string<T>
  249.      */
  250.     public $name;
  251.     /**
  252.      * READ-ONLY: The namespace the entity class is contained in.
  253.      *
  254.      * @var string
  255.      * @todo Not really needed. Usage could be localized.
  256.      */
  257.     public $namespace;
  258.     /**
  259.      * READ-ONLY: The name of the entity class that is at the root of the mapped entity inheritance
  260.      * hierarchy. If the entity is not part of a mapped inheritance hierarchy this is the same
  261.      * as {@link $name}.
  262.      *
  263.      * @var string
  264.      * @psalm-var class-string
  265.      */
  266.     public $rootEntityName;
  267.     /**
  268.      * READ-ONLY: The definition of custom generator. Only used for CUSTOM
  269.      * generator type
  270.      *
  271.      * The definition has the following structure:
  272.      * <code>
  273.      * array(
  274.      *     'class' => 'ClassName',
  275.      * )
  276.      * </code>
  277.      *
  278.      * @todo Merge with tableGeneratorDefinition into generic generatorDefinition
  279.      * @var array<string, string>|null
  280.      */
  281.     public $customGeneratorDefinition;
  282.     /**
  283.      * The name of the custom repository class used for the entity class.
  284.      * (Optional).
  285.      *
  286.      * @var string|null
  287.      * @psalm-var ?class-string<EntityRepository>
  288.      */
  289.     public $customRepositoryClassName;
  290.     /**
  291.      * READ-ONLY: Whether this class describes the mapping of a mapped superclass.
  292.      *
  293.      * @var bool
  294.      */
  295.     public $isMappedSuperclass false;
  296.     /**
  297.      * READ-ONLY: Whether this class describes the mapping of an embeddable class.
  298.      *
  299.      * @var bool
  300.      */
  301.     public $isEmbeddedClass false;
  302.     /**
  303.      * READ-ONLY: The names of the parent classes (ancestors).
  304.      *
  305.      * @psalm-var list<class-string>
  306.      */
  307.     public $parentClasses = [];
  308.     /**
  309.      * READ-ONLY: The names of all subclasses (descendants).
  310.      *
  311.      * @psalm-var list<class-string>
  312.      */
  313.     public $subClasses = [];
  314.     /**
  315.      * READ-ONLY: The names of all embedded classes based on properties.
  316.      *
  317.      * @psalm-var array<string, mixed[]>
  318.      */
  319.     public $embeddedClasses = [];
  320.     /**
  321.      * READ-ONLY: The named queries allowed to be called directly from Repository.
  322.      *
  323.      * @psalm-var array<string, array<string, mixed>>
  324.      */
  325.     public $namedQueries = [];
  326.     /**
  327.      * READ-ONLY: The named native queries allowed to be called directly from Repository.
  328.      *
  329.      * A native SQL named query definition has the following structure:
  330.      * <pre>
  331.      * array(
  332.      *     'name'               => <query name>,
  333.      *     'query'              => <sql query>,
  334.      *     'resultClass'        => <class of the result>,
  335.      *     'resultSetMapping'   => <name of a SqlResultSetMapping>
  336.      * )
  337.      * </pre>
  338.      *
  339.      * @psalm-var array<string, array<string, mixed>>
  340.      */
  341.     public $namedNativeQueries = [];
  342.     /**
  343.      * READ-ONLY: The mappings of the results of native SQL queries.
  344.      *
  345.      * A native result mapping definition has the following structure:
  346.      * <pre>
  347.      * array(
  348.      *     'name'               => <result name>,
  349.      *     'entities'           => array(<entity result mapping>),
  350.      *     'columns'            => array(<column result mapping>)
  351.      * )
  352.      * </pre>
  353.      *
  354.      * @psalm-var array<string, array{
  355.      *                name: string,
  356.      *                entities: mixed[],
  357.      *                columns: mixed[]
  358.      *            }>
  359.      */
  360.     public $sqlResultSetMappings = [];
  361.     /**
  362.      * READ-ONLY: The field names of all fields that are part of the identifier/primary key
  363.      * of the mapped entity class.
  364.      *
  365.      * @psalm-var list<string>
  366.      */
  367.     public $identifier = [];
  368.     /**
  369.      * READ-ONLY: The inheritance mapping type used by the class.
  370.      *
  371.      * @var int
  372.      * @psalm-var self::INHERITANCE_TYPE_*
  373.      */
  374.     public $inheritanceType self::INHERITANCE_TYPE_NONE;
  375.     /**
  376.      * READ-ONLY: The Id generator type used by the class.
  377.      *
  378.      * @var int
  379.      * @psalm-var self::GENERATOR_TYPE_*
  380.      */
  381.     public $generatorType self::GENERATOR_TYPE_NONE;
  382.     /**
  383.      * READ-ONLY: The field mappings of the class.
  384.      * Keys are field names and values are mapping definitions.
  385.      *
  386.      * The mapping definition array has the following values:
  387.      *
  388.      * - <b>fieldName</b> (string)
  389.      * The name of the field in the Entity.
  390.      *
  391.      * - <b>type</b> (string)
  392.      * The type name of the mapped field. Can be one of Doctrine's mapping types
  393.      * or a custom mapping type.
  394.      *
  395.      * - <b>columnName</b> (string, optional)
  396.      * The column name. Optional. Defaults to the field name.
  397.      *
  398.      * - <b>length</b> (integer, optional)
  399.      * The database length of the column. Optional. Default value taken from
  400.      * the type.
  401.      *
  402.      * - <b>id</b> (boolean, optional)
  403.      * Marks the field as the primary key of the entity. Multiple fields of an
  404.      * entity can have the id attribute, forming a composite key.
  405.      *
  406.      * - <b>nullable</b> (boolean, optional)
  407.      * Whether the column is nullable. Defaults to FALSE.
  408.      *
  409.      * - <b>'notInsertable'</b> (boolean, optional)
  410.      * Whether the column is not insertable. Optional. Is only set if value is TRUE.
  411.      *
  412.      * - <b>'notUpdatable'</b> (boolean, optional)
  413.      * Whether the column is updatable. Optional. Is only set if value is TRUE.
  414.      *
  415.      * - <b>columnDefinition</b> (string, optional, schema-only)
  416.      * The SQL fragment that is used when generating the DDL for the column.
  417.      *
  418.      * - <b>precision</b> (integer, optional, schema-only)
  419.      * The precision of a decimal column. Only valid if the column type is decimal.
  420.      *
  421.      * - <b>scale</b> (integer, optional, schema-only)
  422.      * The scale of a decimal column. Only valid if the column type is decimal.
  423.      *
  424.      * - <b>'unique'</b> (string, optional, schema-only)
  425.      * Whether a unique constraint should be generated for the column.
  426.      *
  427.      * @var mixed[]
  428.      * @psalm-var array<string, FieldMapping>
  429.      */
  430.     public $fieldMappings = [];
  431.     /**
  432.      * READ-ONLY: An array of field names. Used to look up field names from column names.
  433.      * Keys are column names and values are field names.
  434.      *
  435.      * @psalm-var array<string, string>
  436.      */
  437.     public $fieldNames = [];
  438.     /**
  439.      * READ-ONLY: A map of field names to column names. Keys are field names and values column names.
  440.      * Used to look up column names from field names.
  441.      * This is the reverse lookup map of $_fieldNames.
  442.      *
  443.      * @deprecated 3.0 Remove this.
  444.      *
  445.      * @var mixed[]
  446.      */
  447.     public $columnNames = [];
  448.     /**
  449.      * READ-ONLY: The discriminator value of this class.
  450.      *
  451.      * <b>This does only apply to the JOINED and SINGLE_TABLE inheritance mapping strategies
  452.      * where a discriminator column is used.</b>
  453.      *
  454.      * @see discriminatorColumn
  455.      *
  456.      * @var mixed
  457.      */
  458.     public $discriminatorValue;
  459.     /**
  460.      * READ-ONLY: The discriminator map of all mapped classes in the hierarchy.
  461.      *
  462.      * <b>This does only apply to the JOINED and SINGLE_TABLE inheritance mapping strategies
  463.      * where a discriminator column is used.</b>
  464.      *
  465.      * @see discriminatorColumn
  466.      *
  467.      * @var array<string, string>
  468.      *
  469.      * @psalm-var array<string, class-string>
  470.      */
  471.     public $discriminatorMap = [];
  472.     /**
  473.      * READ-ONLY: The definition of the discriminator column used in JOINED and SINGLE_TABLE
  474.      * inheritance mappings.
  475.      *
  476.      * @psalm-var array<string, mixed>|null
  477.      */
  478.     public $discriminatorColumn;
  479.     /**
  480.      * READ-ONLY: The primary table definition. The definition is an array with the
  481.      * following entries:
  482.      *
  483.      * name => <tableName>
  484.      * schema => <schemaName>
  485.      * indexes => array
  486.      * uniqueConstraints => array
  487.      *
  488.      * @var mixed[]
  489.      * @psalm-var array{
  490.      *               name: string,
  491.      *               schema?: string,
  492.      *               indexes?: array,
  493.      *               uniqueConstraints?: array,
  494.      *               options?: array<string, mixed>,
  495.      *               quoted?: bool
  496.      *           }
  497.      */
  498.     public $table;
  499.     /**
  500.      * READ-ONLY: The registered lifecycle callbacks for entities of this class.
  501.      *
  502.      * @psalm-var array<string, list<string>>
  503.      */
  504.     public $lifecycleCallbacks = [];
  505.     /**
  506.      * READ-ONLY: The registered entity listeners.
  507.      *
  508.      * @psalm-var array<string, list<array{class: class-string, method: string}>>
  509.      */
  510.     public $entityListeners = [];
  511.     /**
  512.      * READ-ONLY: The association mappings of this class.
  513.      *
  514.      * The mapping definition array supports the following keys:
  515.      *
  516.      * - <b>fieldName</b> (string)
  517.      * The name of the field in the entity the association is mapped to.
  518.      *
  519.      * - <b>targetEntity</b> (string)
  520.      * The class name of the target entity. If it is fully-qualified it is used as is.
  521.      * If it is a simple, unqualified class name the namespace is assumed to be the same
  522.      * as the namespace of the source entity.
  523.      *
  524.      * - <b>mappedBy</b> (string, required for bidirectional associations)
  525.      * The name of the field that completes the bidirectional association on the owning side.
  526.      * This key must be specified on the inverse side of a bidirectional association.
  527.      *
  528.      * - <b>inversedBy</b> (string, required for bidirectional associations)
  529.      * The name of the field that completes the bidirectional association on the inverse side.
  530.      * This key must be specified on the owning side of a bidirectional association.
  531.      *
  532.      * - <b>cascade</b> (array, optional)
  533.      * The names of persistence operations to cascade on the association. The set of possible
  534.      * values are: "persist", "remove", "detach", "merge", "refresh", "all" (implies all others).
  535.      *
  536.      * - <b>orderBy</b> (array, one-to-many/many-to-many only)
  537.      * A map of field names (of the target entity) to sorting directions (ASC/DESC).
  538.      * Example: array('priority' => 'desc')
  539.      *
  540.      * - <b>fetch</b> (integer, optional)
  541.      * The fetching strategy to use for the association, usually defaults to FETCH_LAZY.
  542.      * Possible values are: ClassMetadata::FETCH_EAGER, ClassMetadata::FETCH_LAZY.
  543.      *
  544.      * - <b>joinTable</b> (array, optional, many-to-many only)
  545.      * Specification of the join table and its join columns (foreign keys).
  546.      * Only valid for many-to-many mappings. Note that one-to-many associations can be mapped
  547.      * through a join table by simply mapping the association as many-to-many with a unique
  548.      * constraint on the join table.
  549.      *
  550.      * - <b>indexBy</b> (string, optional, to-many only)
  551.      * Specification of a field on target-entity that is used to index the collection by.
  552.      * This field HAS to be either the primary key or a unique column. Otherwise the collection
  553.      * does not contain all the entities that are actually related.
  554.      *
  555.      * A join table definition has the following structure:
  556.      * <pre>
  557.      * array(
  558.      *     'name' => <join table name>,
  559.      *      'joinColumns' => array(<join column mapping from join table to source table>),
  560.      *      'inverseJoinColumns' => array(<join column mapping from join table to target table>)
  561.      * )
  562.      * </pre>
  563.      *
  564.      * @psalm-var array<string, array<string, mixed>>
  565.      */
  566.     public $associationMappings = [];
  567.     /**
  568.      * READ-ONLY: Flag indicating whether the identifier/primary key of the class is composite.
  569.      *
  570.      * @var bool
  571.      */
  572.     public $isIdentifierComposite false;
  573.     /**
  574.      * READ-ONLY: Flag indicating whether the identifier/primary key contains at least one foreign key association.
  575.      *
  576.      * This flag is necessary because some code blocks require special treatment of this cases.
  577.      *
  578.      * @var bool
  579.      */
  580.     public $containsForeignIdentifier false;
  581.     /**
  582.      * READ-ONLY: Flag indicating whether the identifier/primary key contains at least one ENUM type.
  583.      *
  584.      * This flag is necessary because some code blocks require special treatment of this cases.
  585.      *
  586.      * @var bool
  587.      */
  588.     public $containsEnumIdentifier false;
  589.     /**
  590.      * READ-ONLY: The ID generator used for generating IDs for this class.
  591.      *
  592.      * @var AbstractIdGenerator
  593.      * @todo Remove!
  594.      */
  595.     public $idGenerator;
  596.     /**
  597.      * READ-ONLY: The definition of the sequence generator of this class. Only used for the
  598.      * SEQUENCE generation strategy.
  599.      *
  600.      * The definition has the following structure:
  601.      * <code>
  602.      * array(
  603.      *     'sequenceName' => 'name',
  604.      *     'allocationSize' => '20',
  605.      *     'initialValue' => '1'
  606.      * )
  607.      * </code>
  608.      *
  609.      * @var array<string, mixed>
  610.      * @psalm-var array{sequenceName: string, allocationSize: string, initialValue: string, quoted?: mixed}
  611.      * @todo Merge with tableGeneratorDefinition into generic generatorDefinition
  612.      */
  613.     public $sequenceGeneratorDefinition;
  614.     /**
  615.      * READ-ONLY: The definition of the table generator of this class. Only used for the
  616.      * TABLE generation strategy.
  617.      *
  618.      * @deprecated
  619.      *
  620.      * @var array<string, mixed>
  621.      */
  622.     public $tableGeneratorDefinition;
  623.     /**
  624.      * READ-ONLY: The policy used for change-tracking on entities of this class.
  625.      *
  626.      * @var int
  627.      */
  628.     public $changeTrackingPolicy self::CHANGETRACKING_DEFERRED_IMPLICIT;
  629.     /**
  630.      * READ-ONLY: A Flag indicating whether one or more columns of this class
  631.      * have to be reloaded after insert / update operations.
  632.      *
  633.      * @var bool
  634.      */
  635.     public $requiresFetchAfterChange false;
  636.     /**
  637.      * READ-ONLY: A flag for whether or not instances of this class are to be versioned
  638.      * with optimistic locking.
  639.      *
  640.      * @var bool
  641.      */
  642.     public $isVersioned false;
  643.     /**
  644.      * READ-ONLY: The name of the field which is used for versioning in optimistic locking (if any).
  645.      *
  646.      * @var mixed
  647.      */
  648.     public $versionField;
  649.     /** @var mixed[]|null */
  650.     public $cache;
  651.     /**
  652.      * The ReflectionClass instance of the mapped class.
  653.      *
  654.      * @var ReflectionClass|null
  655.      */
  656.     public $reflClass;
  657.     /**
  658.      * Is this entity marked as "read-only"?
  659.      *
  660.      * That means it is never considered for change-tracking in the UnitOfWork. It is a very helpful performance
  661.      * optimization for entities that are immutable, either in your domain or through the relation database
  662.      * (coming from a view, or a history table for example).
  663.      *
  664.      * @var bool
  665.      */
  666.     public $isReadOnly false;
  667.     /**
  668.      * NamingStrategy determining the default column and table names.
  669.      *
  670.      * @var NamingStrategy
  671.      */
  672.     protected $namingStrategy;
  673.     /**
  674.      * The ReflectionProperty instances of the mapped class.
  675.      *
  676.      * @var array<string, ReflectionProperty|null>
  677.      */
  678.     public $reflFields = [];
  679.     /** @var InstantiatorInterface|null */
  680.     private $instantiator;
  681.     /**
  682.      * Initializes a new ClassMetadata instance that will hold the object-relational mapping
  683.      * metadata of the class with the given name.
  684.      *
  685.      * @param string $entityName The name of the entity class the new instance is used for.
  686.      * @psalm-param class-string<T> $entityName
  687.      */
  688.     public function __construct($entityName, ?NamingStrategy $namingStrategy null)
  689.     {
  690.         $this->name           $entityName;
  691.         $this->rootEntityName $entityName;
  692.         $this->namingStrategy $namingStrategy ?: new DefaultNamingStrategy();
  693.         $this->instantiator   = new Instantiator();
  694.     }
  695.     /**
  696.      * Gets the ReflectionProperties of the mapped class.
  697.      *
  698.      * @return ReflectionProperty[]|null[] An array of ReflectionProperty instances.
  699.      * @psalm-return array<ReflectionProperty|null>
  700.      */
  701.     public function getReflectionProperties()
  702.     {
  703.         return $this->reflFields;
  704.     }
  705.     /**
  706.      * Gets a ReflectionProperty for a specific field of the mapped class.
  707.      *
  708.      * @param string $name
  709.      *
  710.      * @return ReflectionProperty
  711.      */
  712.     public function getReflectionProperty($name)
  713.     {
  714.         return $this->reflFields[$name];
  715.     }
  716.     /**
  717.      * Gets the ReflectionProperty for the single identifier field.
  718.      *
  719.      * @return ReflectionProperty
  720.      *
  721.      * @throws BadMethodCallException If the class has a composite identifier.
  722.      */
  723.     public function getSingleIdReflectionProperty()
  724.     {
  725.         if ($this->isIdentifierComposite) {
  726.             throw new BadMethodCallException('Class ' $this->name ' has a composite identifier.');
  727.         }
  728.         return $this->reflFields[$this->identifier[0]];
  729.     }
  730.     /**
  731.      * Extracts the identifier values of an entity of this class.
  732.      *
  733.      * For composite identifiers, the identifier values are returned as an array
  734.      * with the same order as the field order in {@link identifier}.
  735.      *
  736.      * @param object $entity
  737.      *
  738.      * @return array<string, mixed>
  739.      */
  740.     public function getIdentifierValues($entity)
  741.     {
  742.         if ($this->isIdentifierComposite) {
  743.             $id = [];
  744.             foreach ($this->identifier as $idField) {
  745.                 $value $this->reflFields[$idField]->getValue($entity);
  746.                 if ($value !== null) {
  747.                     $id[$idField] = $value;
  748.                 }
  749.             }
  750.             return $id;
  751.         }
  752.         $id    $this->identifier[0];
  753.         $value $this->reflFields[$id]->getValue($entity);
  754.         if ($value === null) {
  755.             return [];
  756.         }
  757.         return [$id => $value];
  758.     }
  759.     /**
  760.      * Populates the entity identifier of an entity.
  761.      *
  762.      * @param object $entity
  763.      * @psalm-param array<string, mixed> $id
  764.      *
  765.      * @return void
  766.      *
  767.      * @todo Rename to assignIdentifier()
  768.      */
  769.     public function setIdentifierValues($entity, array $id)
  770.     {
  771.         foreach ($id as $idField => $idValue) {
  772.             $this->reflFields[$idField]->setValue($entity$idValue);
  773.         }
  774.     }
  775.     /**
  776.      * Sets the specified field to the specified value on the given entity.
  777.      *
  778.      * @param object $entity
  779.      * @param string $field
  780.      * @param mixed  $value
  781.      *
  782.      * @return void
  783.      */
  784.     public function setFieldValue($entity$field$value)
  785.     {
  786.         $this->reflFields[$field]->setValue($entity$value);
  787.     }
  788.     /**
  789.      * Gets the specified field's value off the given entity.
  790.      *
  791.      * @param object $entity
  792.      * @param string $field
  793.      *
  794.      * @return mixed
  795.      */
  796.     public function getFieldValue($entity$field)
  797.     {
  798.         return $this->reflFields[$field]->getValue($entity);
  799.     }
  800.     /**
  801.      * Creates a string representation of this instance.
  802.      *
  803.      * @return string The string representation of this instance.
  804.      *
  805.      * @todo Construct meaningful string representation.
  806.      */
  807.     public function __toString()
  808.     {
  809.         return self::class . '@' spl_object_id($this);
  810.     }
  811.     /**
  812.      * Determines which fields get serialized.
  813.      *
  814.      * It is only serialized what is necessary for best unserialization performance.
  815.      * That means any metadata properties that are not set or empty or simply have
  816.      * their default value are NOT serialized.
  817.      *
  818.      * Parts that are also NOT serialized because they can not be properly unserialized:
  819.      *      - reflClass (ReflectionClass)
  820.      *      - reflFields (ReflectionProperty array)
  821.      *
  822.      * @return string[] The names of all the fields that should be serialized.
  823.      */
  824.     public function __sleep()
  825.     {
  826.         // This metadata is always serialized/cached.
  827.         $serialized = [
  828.             'associationMappings',
  829.             'columnNames'//TODO: 3.0 Remove this. Can use fieldMappings[$fieldName]['columnName']
  830.             'fieldMappings',
  831.             'fieldNames',
  832.             'embeddedClasses',
  833.             'identifier',
  834.             'isIdentifierComposite'// TODO: REMOVE
  835.             'name',
  836.             'namespace'// TODO: REMOVE
  837.             'table',
  838.             'rootEntityName',
  839.             'idGenerator'//TODO: Does not really need to be serialized. Could be moved to runtime.
  840.         ];
  841.         // The rest of the metadata is only serialized if necessary.
  842.         if ($this->changeTrackingPolicy !== self::CHANGETRACKING_DEFERRED_IMPLICIT) {
  843.             $serialized[] = 'changeTrackingPolicy';
  844.         }
  845.         if ($this->customRepositoryClassName) {
  846.             $serialized[] = 'customRepositoryClassName';
  847.         }
  848.         if ($this->inheritanceType !== self::INHERITANCE_TYPE_NONE) {
  849.             $serialized[] = 'inheritanceType';
  850.             $serialized[] = 'discriminatorColumn';
  851.             $serialized[] = 'discriminatorValue';
  852.             $serialized[] = 'discriminatorMap';
  853.             $serialized[] = 'parentClasses';
  854.             $serialized[] = 'subClasses';
  855.         }
  856.         if ($this->generatorType !== self::GENERATOR_TYPE_NONE) {
  857.             $serialized[] = 'generatorType';
  858.             if ($this->generatorType === self::GENERATOR_TYPE_SEQUENCE) {
  859.                 $serialized[] = 'sequenceGeneratorDefinition';
  860.             }
  861.         }
  862.         if ($this->isMappedSuperclass) {
  863.             $serialized[] = 'isMappedSuperclass';
  864.         }
  865.         if ($this->isEmbeddedClass) {
  866.             $serialized[] = 'isEmbeddedClass';
  867.         }
  868.         if ($this->containsForeignIdentifier) {
  869.             $serialized[] = 'containsForeignIdentifier';
  870.         }
  871.         if ($this->containsEnumIdentifier) {
  872.             $serialized[] = 'containsEnumIdentifier';
  873.         }
  874.         if ($this->isVersioned) {
  875.             $serialized[] = 'isVersioned';
  876.             $serialized[] = 'versionField';
  877.         }
  878.         if ($this->lifecycleCallbacks) {
  879.             $serialized[] = 'lifecycleCallbacks';
  880.         }
  881.         if ($this->entityListeners) {
  882.             $serialized[] = 'entityListeners';
  883.         }
  884.         if ($this->namedQueries) {
  885.             $serialized[] = 'namedQueries';
  886.         }
  887.         if ($this->namedNativeQueries) {
  888.             $serialized[] = 'namedNativeQueries';
  889.         }
  890.         if ($this->sqlResultSetMappings) {
  891.             $serialized[] = 'sqlResultSetMappings';
  892.         }
  893.         if ($this->isReadOnly) {
  894.             $serialized[] = 'isReadOnly';
  895.         }
  896.         if ($this->customGeneratorDefinition) {
  897.             $serialized[] = 'customGeneratorDefinition';
  898.         }
  899.         if ($this->cache) {
  900.             $serialized[] = 'cache';
  901.         }
  902.         if ($this->requiresFetchAfterChange) {
  903.             $serialized[] = 'requiresFetchAfterChange';
  904.         }
  905.         return $serialized;
  906.     }
  907.     /**
  908.      * Creates a new instance of the mapped class, without invoking the constructor.
  909.      *
  910.      * @return object
  911.      */
  912.     public function newInstance()
  913.     {
  914.         return $this->instantiator->instantiate($this->name);
  915.     }
  916.     /**
  917.      * Restores some state that can not be serialized/unserialized.
  918.      *
  919.      * @param ReflectionService $reflService
  920.      *
  921.      * @return void
  922.      */
  923.     public function wakeupReflection($reflService)
  924.     {
  925.         // Restore ReflectionClass and properties
  926.         $this->reflClass    $reflService->getClass($this->name);
  927.         $this->instantiator $this->instantiator ?: new Instantiator();
  928.         $parentReflFields = [];
  929.         foreach ($this->embeddedClasses as $property => $embeddedClass) {
  930.             if (isset($embeddedClass['declaredField'])) {
  931.                 $childProperty $this->getAccessibleProperty(
  932.                     $reflService,
  933.                     $this->embeddedClasses[$embeddedClass['declaredField']]['class'],
  934.                     $embeddedClass['originalField']
  935.                 );
  936.                 assert($childProperty !== null);
  937.                 $parentReflFields[$property] = new ReflectionEmbeddedProperty(
  938.                     $parentReflFields[$embeddedClass['declaredField']],
  939.                     $childProperty,
  940.                     $this->embeddedClasses[$embeddedClass['declaredField']]['class']
  941.                 );
  942.                 continue;
  943.             }
  944.             $fieldRefl $this->getAccessibleProperty(
  945.                 $reflService,
  946.                 $embeddedClass['declared'] ?? $this->name,
  947.                 $property
  948.             );
  949.             $parentReflFields[$property] = $fieldRefl;
  950.             $this->reflFields[$property] = $fieldRefl;
  951.         }
  952.         foreach ($this->fieldMappings as $field => $mapping) {
  953.             if (isset($mapping['declaredField']) && isset($parentReflFields[$mapping['declaredField']])) {
  954.                 $childProperty $this->getAccessibleProperty($reflService$mapping['originalClass'], $mapping['originalField']);
  955.                 assert($childProperty !== null);
  956.                 if (isset($mapping['enumType'])) {
  957.                     $childProperty = new ReflectionEnumProperty(
  958.                         $childProperty,
  959.                         $mapping['enumType']
  960.                     );
  961.                 }
  962.                 $this->reflFields[$field] = new ReflectionEmbeddedProperty(
  963.                     $parentReflFields[$mapping['declaredField']],
  964.                     $childProperty,
  965.                     $mapping['originalClass']
  966.                 );
  967.                 continue;
  968.             }
  969.             $this->reflFields[$field] = isset($mapping['declared'])
  970.                 ? $this->getAccessibleProperty($reflService$mapping['declared'], $field)
  971.                 : $this->getAccessibleProperty($reflService$this->name$field);
  972.             if (isset($mapping['enumType']) && $this->reflFields[$field] !== null) {
  973.                 $this->reflFields[$field] = new ReflectionEnumProperty(
  974.                     $this->reflFields[$field],
  975.                     $mapping['enumType']
  976.                 );
  977.             }
  978.         }
  979.         foreach ($this->associationMappings as $field => $mapping) {
  980.             $this->reflFields[$field] = isset($mapping['declared'])
  981.                 ? $this->getAccessibleProperty($reflService$mapping['declared'], $field)
  982.                 : $this->getAccessibleProperty($reflService$this->name$field);
  983.         }
  984.     }
  985.     /**
  986.      * Initializes a new ClassMetadata instance that will hold the object-relational mapping
  987.      * metadata of the class with the given name.
  988.      *
  989.      * @param ReflectionService $reflService The reflection service.
  990.      *
  991.      * @return void
  992.      */
  993.     public function initializeReflection($reflService)
  994.     {
  995.         $this->reflClass $reflService->getClass($this->name);
  996.         $this->namespace $reflService->getClassNamespace($this->name);
  997.         if ($this->reflClass) {
  998.             $this->name $this->rootEntityName $this->reflClass->getName();
  999.         }
  1000.         $this->table['name'] = $this->namingStrategy->classToTableName($this->name);
  1001.     }
  1002.     /**
  1003.      * Validates Identifier.
  1004.      *
  1005.      * @return void
  1006.      *
  1007.      * @throws MappingException
  1008.      */
  1009.     public function validateIdentifier()
  1010.     {
  1011.         if ($this->isMappedSuperclass || $this->isEmbeddedClass) {
  1012.             return;
  1013.         }
  1014.         // Verify & complete identifier mapping
  1015.         if (! $this->identifier) {
  1016.             throw MappingException::identifierRequired($this->name);
  1017.         }
  1018.         if ($this->usesIdGenerator() && $this->isIdentifierComposite) {
  1019.             throw MappingException::compositeKeyAssignedIdGeneratorRequired($this->name);
  1020.         }
  1021.     }
  1022.     /**
  1023.      * Validates association targets actually exist.
  1024.      *
  1025.      * @return void
  1026.      *
  1027.      * @throws MappingException
  1028.      */
  1029.     public function validateAssociations()
  1030.     {
  1031.         foreach ($this->associationMappings as $mapping) {
  1032.             if (
  1033.                 ! class_exists($mapping['targetEntity'])
  1034.                 && ! interface_exists($mapping['targetEntity'])
  1035.                 && ! trait_exists($mapping['targetEntity'])
  1036.             ) {
  1037.                 throw MappingException::invalidTargetEntityClass($mapping['targetEntity'], $this->name$mapping['fieldName']);
  1038.             }
  1039.         }
  1040.     }
  1041.     /**
  1042.      * Validates lifecycle callbacks.
  1043.      *
  1044.      * @param ReflectionService $reflService
  1045.      *
  1046.      * @return void
  1047.      *
  1048.      * @throws MappingException
  1049.      */
  1050.     public function validateLifecycleCallbacks($reflService)
  1051.     {
  1052.         foreach ($this->lifecycleCallbacks as $callbacks) {
  1053.             foreach ($callbacks as $callbackFuncName) {
  1054.                 if (! $reflService->hasPublicMethod($this->name$callbackFuncName)) {
  1055.                     throw MappingException::lifecycleCallbackMethodNotFound($this->name$callbackFuncName);
  1056.                 }
  1057.             }
  1058.         }
  1059.     }
  1060.     /**
  1061.      * {@inheritDoc}
  1062.      */
  1063.     public function getReflectionClass()
  1064.     {
  1065.         return $this->reflClass;
  1066.     }
  1067.     /**
  1068.      * @psalm-param array{usage?: mixed, region?: mixed} $cache
  1069.      *
  1070.      * @return void
  1071.      */
  1072.     public function enableCache(array $cache)
  1073.     {
  1074.         if (! isset($cache['usage'])) {
  1075.             $cache['usage'] = self::CACHE_USAGE_READ_ONLY;
  1076.         }
  1077.         if (! isset($cache['region'])) {
  1078.             $cache['region'] = strtolower(str_replace('\\''_'$this->rootEntityName));
  1079.         }
  1080.         $this->cache $cache;
  1081.     }
  1082.     /**
  1083.      * @param string $fieldName
  1084.      * @psalm-param array{usage?: int, region?: string} $cache
  1085.      *
  1086.      * @return void
  1087.      */
  1088.     public function enableAssociationCache($fieldName, array $cache)
  1089.     {
  1090.         $this->associationMappings[$fieldName]['cache'] = $this->getAssociationCacheDefaults($fieldName$cache);
  1091.     }
  1092.     /**
  1093.      * @param string $fieldName
  1094.      * @param array  $cache
  1095.      * @psalm-param array{usage?: int, region?: string|null} $cache
  1096.      *
  1097.      * @return int[]|string[]
  1098.      * @psalm-return array{usage: int, region: string|null}
  1099.      */
  1100.     public function getAssociationCacheDefaults($fieldName, array $cache)
  1101.     {
  1102.         if (! isset($cache['usage'])) {
  1103.             $cache['usage'] = $this->cache['usage'] ?? self::CACHE_USAGE_READ_ONLY;
  1104.         }
  1105.         if (! isset($cache['region'])) {
  1106.             $cache['region'] = strtolower(str_replace('\\''_'$this->rootEntityName)) . '__' $fieldName;
  1107.         }
  1108.         return $cache;
  1109.     }
  1110.     /**
  1111.      * Sets the change tracking policy used by this class.
  1112.      *
  1113.      * @param int $policy
  1114.      *
  1115.      * @return void
  1116.      */
  1117.     public function setChangeTrackingPolicy($policy)
  1118.     {
  1119.         $this->changeTrackingPolicy $policy;
  1120.     }
  1121.     /**
  1122.      * Whether the change tracking policy of this class is "deferred explicit".
  1123.      *
  1124.      * @return bool
  1125.      */
  1126.     public function isChangeTrackingDeferredExplicit()
  1127.     {
  1128.         return $this->changeTrackingPolicy === self::CHANGETRACKING_DEFERRED_EXPLICIT;
  1129.     }
  1130.     /**
  1131.      * Whether the change tracking policy of this class is "deferred implicit".
  1132.      *
  1133.      * @return bool
  1134.      */
  1135.     public function isChangeTrackingDeferredImplicit()
  1136.     {
  1137.         return $this->changeTrackingPolicy === self::CHANGETRACKING_DEFERRED_IMPLICIT;
  1138.     }
  1139.     /**
  1140.      * Whether the change tracking policy of this class is "notify".
  1141.      *
  1142.      * @return bool
  1143.      */
  1144.     public function isChangeTrackingNotify()
  1145.     {
  1146.         return $this->changeTrackingPolicy === self::CHANGETRACKING_NOTIFY;
  1147.     }
  1148.     /**
  1149.      * Checks whether a field is part of the identifier/primary key field(s).
  1150.      *
  1151.      * @param string $fieldName The field name.
  1152.      *
  1153.      * @return bool TRUE if the field is part of the table identifier/primary key field(s),
  1154.      * FALSE otherwise.
  1155.      */
  1156.     public function isIdentifier($fieldName)
  1157.     {
  1158.         if (! $this->identifier) {
  1159.             return false;
  1160.         }
  1161.         if (! $this->isIdentifierComposite) {
  1162.             return $fieldName === $this->identifier[0];
  1163.         }
  1164.         return in_array($fieldName$this->identifiertrue);
  1165.     }
  1166.     /**
  1167.      * Checks if the field is unique.
  1168.      *
  1169.      * @param string $fieldName The field name.
  1170.      *
  1171.      * @return bool TRUE if the field is unique, FALSE otherwise.
  1172.      */
  1173.     public function isUniqueField($fieldName)
  1174.     {
  1175.         $mapping $this->getFieldMapping($fieldName);
  1176.         return $mapping !== false && isset($mapping['unique']) && $mapping['unique'];
  1177.     }
  1178.     /**
  1179.      * Checks if the field is not null.
  1180.      *
  1181.      * @param string $fieldName The field name.
  1182.      *
  1183.      * @return bool TRUE if the field is not null, FALSE otherwise.
  1184.      */
  1185.     public function isNullable($fieldName)
  1186.     {
  1187.         $mapping $this->getFieldMapping($fieldName);
  1188.         return $mapping !== false && isset($mapping['nullable']) && $mapping['nullable'];
  1189.     }
  1190.     /**
  1191.      * Gets a column name for a field name.
  1192.      * If the column name for the field cannot be found, the given field name
  1193.      * is returned.
  1194.      *
  1195.      * @param string $fieldName The field name.
  1196.      *
  1197.      * @return string The column name.
  1198.      */
  1199.     public function getColumnName($fieldName)
  1200.     {
  1201.         return $this->columnNames[$fieldName] ?? $fieldName;
  1202.     }
  1203.     /**
  1204.      * Gets the mapping of a (regular) field that holds some data but not a
  1205.      * reference to another object.
  1206.      *
  1207.      * @param string $fieldName The field name.
  1208.      *
  1209.      * @return mixed[] The field mapping.
  1210.      * @psalm-return FieldMapping
  1211.      *
  1212.      * @throws MappingException
  1213.      */
  1214.     public function getFieldMapping($fieldName)
  1215.     {
  1216.         if (! isset($this->fieldMappings[$fieldName])) {
  1217.             throw MappingException::mappingNotFound($this->name$fieldName);
  1218.         }
  1219.         return $this->fieldMappings[$fieldName];
  1220.     }
  1221.     /**
  1222.      * Gets the mapping of an association.
  1223.      *
  1224.      * @see ClassMetadataInfo::$associationMappings
  1225.      *
  1226.      * @param string $fieldName The field name that represents the association in
  1227.      *                          the object model.
  1228.      *
  1229.      * @return mixed[] The mapping.
  1230.      * @psalm-return array<string, mixed>
  1231.      *
  1232.      * @throws MappingException
  1233.      */
  1234.     public function getAssociationMapping($fieldName)
  1235.     {
  1236.         if (! isset($this->associationMappings[$fieldName])) {
  1237.             throw MappingException::mappingNotFound($this->name$fieldName);
  1238.         }
  1239.         return $this->associationMappings[$fieldName];
  1240.     }
  1241.     /**
  1242.      * Gets all association mappings of the class.
  1243.      *
  1244.      * @psalm-return array<string, array<string, mixed>>
  1245.      */
  1246.     public function getAssociationMappings()
  1247.     {
  1248.         return $this->associationMappings;
  1249.     }
  1250.     /**
  1251.      * Gets the field name for a column name.
  1252.      * If no field name can be found the column name is returned.
  1253.      *
  1254.      * @param string $columnName The column name.
  1255.      *
  1256.      * @return string The column alias.
  1257.      */
  1258.     public function getFieldName($columnName)
  1259.     {
  1260.         return $this->fieldNames[$columnName] ?? $columnName;
  1261.     }
  1262.     /**
  1263.      * Gets the named query.
  1264.      *
  1265.      * @see ClassMetadataInfo::$namedQueries
  1266.      *
  1267.      * @param string $queryName The query name.
  1268.      *
  1269.      * @return string
  1270.      *
  1271.      * @throws MappingException
  1272.      */
  1273.     public function getNamedQuery($queryName)
  1274.     {
  1275.         if (! isset($this->namedQueries[$queryName])) {
  1276.             throw MappingException::queryNotFound($this->name$queryName);
  1277.         }
  1278.         return $this->namedQueries[$queryName]['dql'];
  1279.     }
  1280.     /**
  1281.      * Gets all named queries of the class.
  1282.      *
  1283.      * @return mixed[][]
  1284.      * @psalm-return array<string, array<string, mixed>>
  1285.      */
  1286.     public function getNamedQueries()
  1287.     {
  1288.         return $this->namedQueries;
  1289.     }
  1290.     /**
  1291.      * Gets the named native query.
  1292.      *
  1293.      * @see ClassMetadataInfo::$namedNativeQueries
  1294.      *
  1295.      * @param string $queryName The query name.
  1296.      *
  1297.      * @return mixed[]
  1298.      * @psalm-return array<string, mixed>
  1299.      *
  1300.      * @throws MappingException
  1301.      */
  1302.     public function getNamedNativeQuery($queryName)
  1303.     {
  1304.         if (! isset($this->namedNativeQueries[$queryName])) {
  1305.             throw MappingException::queryNotFound($this->name$queryName);
  1306.         }
  1307.         return $this->namedNativeQueries[$queryName];
  1308.     }
  1309.     /**
  1310.      * Gets all named native queries of the class.
  1311.      *
  1312.      * @psalm-return array<string, array<string, mixed>>
  1313.      */
  1314.     public function getNamedNativeQueries()
  1315.     {
  1316.         return $this->namedNativeQueries;
  1317.     }
  1318.     /**
  1319.      * Gets the result set mapping.
  1320.      *
  1321.      * @see ClassMetadataInfo::$sqlResultSetMappings
  1322.      *
  1323.      * @param string $name The result set mapping name.
  1324.      *
  1325.      * @return mixed[]
  1326.      * @psalm-return array{name: string, entities: array, columns: array}
  1327.      *
  1328.      * @throws MappingException
  1329.      */
  1330.     public function getSqlResultSetMapping($name)
  1331.     {
  1332.         if (! isset($this->sqlResultSetMappings[$name])) {
  1333.             throw MappingException::resultMappingNotFound($this->name$name);
  1334.         }
  1335.         return $this->sqlResultSetMappings[$name];
  1336.     }
  1337.     /**
  1338.      * Gets all sql result set mappings of the class.
  1339.      *
  1340.      * @return mixed[]
  1341.      * @psalm-return array<string, array{name: string, entities: array, columns: array}>
  1342.      */
  1343.     public function getSqlResultSetMappings()
  1344.     {
  1345.         return $this->sqlResultSetMappings;
  1346.     }
  1347.     /**
  1348.      * Checks whether given property has type
  1349.      *
  1350.      * @param string $name Property name
  1351.      */
  1352.     private function isTypedProperty(string $name): bool
  1353.     {
  1354.         return PHP_VERSION_ID >= 70400
  1355.                && isset($this->reflClass)
  1356.                && $this->reflClass->hasProperty($name)
  1357.                && $this->reflClass->getProperty($name)->hasType();
  1358.     }
  1359.     /**
  1360.      * Validates & completes the given field mapping based on typed property.
  1361.      *
  1362.      * @param  mixed[] $mapping The field mapping to validate & complete.
  1363.      *
  1364.      * @return mixed[] The updated mapping.
  1365.      */
  1366.     private function validateAndCompleteTypedFieldMapping(array $mapping): array
  1367.     {
  1368.         $type $this->reflClass->getProperty($mapping['fieldName'])->getType();
  1369.         if ($type) {
  1370.             if (
  1371.                 ! isset($mapping['type'])
  1372.                 && ($type instanceof ReflectionNamedType)
  1373.             ) {
  1374.                 if (PHP_VERSION_ID >= 80100 && ! $type->isBuiltin() && enum_exists($type->getName())) {
  1375.                     $mapping['enumType'] = $type->getName();
  1376.                     $reflection = new ReflectionEnum($type->getName());
  1377.                     $type       $reflection->getBackingType();
  1378.                     assert($type instanceof ReflectionNamedType);
  1379.                 }
  1380.                 switch ($type->getName()) {
  1381.                     case DateInterval::class:
  1382.                         $mapping['type'] = Types::DATEINTERVAL;
  1383.                         break;
  1384.                     case DateTime::class:
  1385.                         $mapping['type'] = Types::DATETIME_MUTABLE;
  1386.                         break;
  1387.                     case DateTimeImmutable::class:
  1388.                         $mapping['type'] = Types::DATETIME_IMMUTABLE;
  1389.                         break;
  1390.                     case 'array':
  1391.                         $mapping['type'] = Types::JSON;
  1392.                         break;
  1393.                     case 'bool':
  1394.                         $mapping['type'] = Types::BOOLEAN;
  1395.                         break;
  1396.                     case 'float':
  1397.                         $mapping['type'] = Types::FLOAT;
  1398.                         break;
  1399.                     case 'int':
  1400.                         $mapping['type'] = Types::INTEGER;
  1401.                         break;
  1402.                     case 'string':
  1403.                         $mapping['type'] = Types::STRING;
  1404.                         break;
  1405.                 }
  1406.             }
  1407.         }
  1408.         return $mapping;
  1409.     }
  1410.     /**
  1411.      * Validates & completes the basic mapping information based on typed property.
  1412.      *
  1413.      * @param mixed[] $mapping The mapping.
  1414.      *
  1415.      * @return mixed[] The updated mapping.
  1416.      */
  1417.     private function validateAndCompleteTypedAssociationMapping(array $mapping): array
  1418.     {
  1419.         $type $this->reflClass->getProperty($mapping['fieldName'])->getType();
  1420.         if ($type === null || ($mapping['type'] & self::TO_ONE) === 0) {
  1421.             return $mapping;
  1422.         }
  1423.         if (! isset($mapping['targetEntity']) && $type instanceof ReflectionNamedType) {
  1424.             $mapping['targetEntity'] = $type->getName();
  1425.         }
  1426.         return $mapping;
  1427.     }
  1428.     /**
  1429.      * Validates & completes the given field mapping.
  1430.      *
  1431.      * @psalm-param array<string, mixed> $mapping The field mapping to validate & complete.
  1432.      *
  1433.      * @return mixed[] The updated mapping.
  1434.      *
  1435.      * @throws MappingException
  1436.      */
  1437.     protected function validateAndCompleteFieldMapping(array $mapping): array
  1438.     {
  1439.         // Check mandatory fields
  1440.         if (! isset($mapping['fieldName']) || ! $mapping['fieldName']) {
  1441.             throw MappingException::missingFieldName($this->name);
  1442.         }
  1443.         if ($this->isTypedProperty($mapping['fieldName'])) {
  1444.             $mapping $this->validateAndCompleteTypedFieldMapping($mapping);
  1445.         }
  1446.         if (! isset($mapping['type'])) {
  1447.             // Default to string
  1448.             $mapping['type'] = 'string';
  1449.         }
  1450.         // Complete fieldName and columnName mapping
  1451.         if (! isset($mapping['columnName'])) {
  1452.             $mapping['columnName'] = $this->namingStrategy->propertyToColumnName($mapping['fieldName'], $this->name);
  1453.         }
  1454.         if ($mapping['columnName'][0] === '`') {
  1455.             $mapping['columnName'] = trim($mapping['columnName'], '`');
  1456.             $mapping['quoted']     = true;
  1457.         }
  1458.         $this->columnNames[$mapping['fieldName']] = $mapping['columnName'];
  1459.         if (isset($this->fieldNames[$mapping['columnName']]) || ($this->discriminatorColumn && $this->discriminatorColumn['name'] === $mapping['columnName'])) {
  1460.             throw MappingException::duplicateColumnName($this->name$mapping['columnName']);
  1461.         }
  1462.         $this->fieldNames[$mapping['columnName']] = $mapping['fieldName'];
  1463.         // Complete id mapping
  1464.         if (isset($mapping['id']) && $mapping['id'] === true) {
  1465.             if ($this->versionField === $mapping['fieldName']) {
  1466.                 throw MappingException::cannotVersionIdField($this->name$mapping['fieldName']);
  1467.             }
  1468.             if (! in_array($mapping['fieldName'], $this->identifiertrue)) {
  1469.                 $this->identifier[] = $mapping['fieldName'];
  1470.             }
  1471.             // Check for composite key
  1472.             if (! $this->isIdentifierComposite && count($this->identifier) > 1) {
  1473.                 $this->isIdentifierComposite true;
  1474.             }
  1475.         }
  1476.         if (Type::hasType($mapping['type']) && Type::getType($mapping['type'])->canRequireSQLConversion()) {
  1477.             if (isset($mapping['id']) && $mapping['id'] === true) {
  1478.                  throw MappingException::sqlConversionNotAllowedForIdentifiers($this->name$mapping['fieldName'], $mapping['type']);
  1479.             }
  1480.             $mapping['requireSQLConversion'] = true;
  1481.         }
  1482.         if (isset($mapping['generated'])) {
  1483.             if (! in_array($mapping['generated'], [self::GENERATED_NEVERself::GENERATED_INSERTself::GENERATED_ALWAYS])) {
  1484.                 throw MappingException::invalidGeneratedMode($mapping['generated']);
  1485.             }
  1486.             if ($mapping['generated'] === self::GENERATED_NEVER) {
  1487.                 unset($mapping['generated']);
  1488.             }
  1489.         }
  1490.         if (isset($mapping['enumType'])) {
  1491.             if (PHP_VERSION_ID 80100) {
  1492.                 throw MappingException::enumsRequirePhp81($this->name$mapping['fieldName']);
  1493.             }
  1494.             if (! enum_exists($mapping['enumType'])) {
  1495.                 throw MappingException::nonEnumTypeMapped($this->name$mapping['fieldName'], $mapping['enumType']);
  1496.             }
  1497.             if (! empty($mapping['id'])) {
  1498.                 $this->containsEnumIdentifier true;
  1499.             }
  1500.         }
  1501.         return $mapping;
  1502.     }
  1503.     /**
  1504.      * Validates & completes the basic mapping information that is common to all
  1505.      * association mappings (one-to-one, many-ot-one, one-to-many, many-to-many).
  1506.      *
  1507.      * @psalm-param array<string, mixed> $mapping The mapping.
  1508.      *
  1509.      * @return mixed[] The updated mapping.
  1510.      * @psalm-return array{
  1511.      *                   mappedBy: mixed|null,
  1512.      *                   inversedBy: mixed|null,
  1513.      *                   isOwningSide: bool,
  1514.      *                   sourceEntity: class-string,
  1515.      *                   targetEntity: string,
  1516.      *                   fieldName: mixed,
  1517.      *                   fetch: mixed,
  1518.      *                   cascade: array<array-key,string>,
  1519.      *                   isCascadeRemove: bool,
  1520.      *                   isCascadePersist: bool,
  1521.      *                   isCascadeRefresh: bool,
  1522.      *                   isCascadeMerge: bool,
  1523.      *                   isCascadeDetach: bool,
  1524.      *                   type: int,
  1525.      *                   originalField: string,
  1526.      *                   originalClass: class-string,
  1527.      *                   ?orphanRemoval: bool
  1528.      *               }
  1529.      *
  1530.      * @throws MappingException If something is wrong with the mapping.
  1531.      */
  1532.     protected function _validateAndCompleteAssociationMapping(array $mapping)
  1533.     {
  1534.         if (! isset($mapping['mappedBy'])) {
  1535.             $mapping['mappedBy'] = null;
  1536.         }
  1537.         if (! isset($mapping['inversedBy'])) {
  1538.             $mapping['inversedBy'] = null;
  1539.         }
  1540.         $mapping['isOwningSide'] = true// assume owning side until we hit mappedBy
  1541.         if (empty($mapping['indexBy'])) {
  1542.             unset($mapping['indexBy']);
  1543.         }
  1544.         // If targetEntity is unqualified, assume it is in the same namespace as
  1545.         // the sourceEntity.
  1546.         $mapping['sourceEntity'] = $this->name;
  1547.         if ($this->isTypedProperty($mapping['fieldName'])) {
  1548.             $mapping $this->validateAndCompleteTypedAssociationMapping($mapping);
  1549.         }
  1550.         if (isset($mapping['targetEntity'])) {
  1551.             $mapping['targetEntity'] = $this->fullyQualifiedClassName($mapping['targetEntity']);
  1552.             $mapping['targetEntity'] = ltrim($mapping['targetEntity'], '\\');
  1553.         }
  1554.         if (($mapping['type'] & self::MANY_TO_ONE) > && isset($mapping['orphanRemoval']) && $mapping['orphanRemoval']) {
  1555.             throw MappingException::illegalOrphanRemoval($this->name$mapping['fieldName']);
  1556.         }
  1557.         // Complete id mapping
  1558.         if (isset($mapping['id']) && $mapping['id'] === true) {
  1559.             if (isset($mapping['orphanRemoval']) && $mapping['orphanRemoval']) {
  1560.                 throw MappingException::illegalOrphanRemovalOnIdentifierAssociation($this->name$mapping['fieldName']);
  1561.             }
  1562.             if (! in_array($mapping['fieldName'], $this->identifiertrue)) {
  1563.                 if (isset($mapping['joinColumns']) && count($mapping['joinColumns']) >= 2) {
  1564.                     throw MappingException::cannotMapCompositePrimaryKeyEntitiesAsForeignId(
  1565.                         $mapping['targetEntity'],
  1566.                         $this->name,
  1567.                         $mapping['fieldName']
  1568.                     );
  1569.                 }
  1570.                 $this->identifier[]              = $mapping['fieldName'];
  1571.                 $this->containsForeignIdentifier true;
  1572.             }
  1573.             // Check for composite key
  1574.             if (! $this->isIdentifierComposite && count($this->identifier) > 1) {
  1575.                 $this->isIdentifierComposite true;
  1576.             }
  1577.             if ($this->cache && ! isset($mapping['cache'])) {
  1578.                 throw NonCacheableEntityAssociation::fromEntityAndField(
  1579.                     $this->name,
  1580.                     $mapping['fieldName']
  1581.                 );
  1582.             }
  1583.         }
  1584.         // Mandatory attributes for both sides
  1585.         // Mandatory: fieldName, targetEntity
  1586.         if (! isset($mapping['fieldName']) || ! $mapping['fieldName']) {
  1587.             throw MappingException::missingFieldName($this->name);
  1588.         }
  1589.         if (! isset($mapping['targetEntity'])) {
  1590.             throw MappingException::missingTargetEntity($mapping['fieldName']);
  1591.         }
  1592.         // Mandatory and optional attributes for either side
  1593.         if (! $mapping['mappedBy']) {
  1594.             if (isset($mapping['joinTable']) && $mapping['joinTable']) {
  1595.                 if (isset($mapping['joinTable']['name']) && $mapping['joinTable']['name'][0] === '`') {
  1596.                     $mapping['joinTable']['name']   = trim($mapping['joinTable']['name'], '`');
  1597.                     $mapping['joinTable']['quoted'] = true;
  1598.                 }
  1599.             }
  1600.         } else {
  1601.             $mapping['isOwningSide'] = false;
  1602.         }
  1603.         if (isset($mapping['id']) && $mapping['id'] === true && $mapping['type'] & self::TO_MANY) {
  1604.             throw MappingException::illegalToManyIdentifierAssociation($this->name$mapping['fieldName']);
  1605.         }
  1606.         // Fetch mode. Default fetch mode to LAZY, if not set.
  1607.         if (! isset($mapping['fetch'])) {
  1608.             $mapping['fetch'] = self::FETCH_LAZY;
  1609.         }
  1610.         // Cascades
  1611.         $cascades = isset($mapping['cascade']) ? array_map('strtolower'$mapping['cascade']) : [];
  1612.         $allCascades = ['remove''persist''refresh''merge''detach'];
  1613.         if (in_array('all'$cascadestrue)) {
  1614.             $cascades $allCascades;
  1615.         } elseif (count($cascades) !== count(array_intersect($cascades$allCascades))) {
  1616.             throw MappingException::invalidCascadeOption(
  1617.                 array_diff($cascades$allCascades),
  1618.                 $this->name,
  1619.                 $mapping['fieldName']
  1620.             );
  1621.         }
  1622.         $mapping['cascade']          = $cascades;
  1623.         $mapping['isCascadeRemove']  = in_array('remove'$cascadestrue);
  1624.         $mapping['isCascadePersist'] = in_array('persist'$cascadestrue);
  1625.         $mapping['isCascadeRefresh'] = in_array('refresh'$cascadestrue);
  1626.         $mapping['isCascadeMerge']   = in_array('merge'$cascadestrue);
  1627.         $mapping['isCascadeDetach']  = in_array('detach'$cascadestrue);
  1628.         return $mapping;
  1629.     }
  1630.     /**
  1631.      * Validates & completes a one-to-one association mapping.
  1632.      *
  1633.      * @psalm-param array<string, mixed> $mapping The mapping to validate & complete.
  1634.      * @psalm-param array<string, mixed> $mapping The mapping to validate & complete.
  1635.      *
  1636.      * @return mixed[] The validated & completed mapping.
  1637.      * @psalm-return array{isOwningSide: mixed, orphanRemoval: bool, isCascadeRemove: bool}
  1638.      * @psalm-return array{
  1639.      *      mappedBy: mixed|null,
  1640.      *      inversedBy: mixed|null,
  1641.      *      isOwningSide: bool,
  1642.      *      sourceEntity: class-string,
  1643.      *      targetEntity: string,
  1644.      *      fieldName: mixed,
  1645.      *      fetch: mixed,
  1646.      *      cascade: array<string>,
  1647.      *      isCascadeRemove: bool,
  1648.      *      isCascadePersist: bool,
  1649.      *      isCascadeRefresh: bool,
  1650.      *      isCascadeMerge: bool,
  1651.      *      isCascadeDetach: bool,
  1652.      *      type: int,
  1653.      *      originalField: string,
  1654.      *      originalClass: class-string,
  1655.      *      joinColumns?: array{0: array{name: string, referencedColumnName: string}}|mixed,
  1656.      *      id?: mixed,
  1657.      *      sourceToTargetKeyColumns?: array,
  1658.      *      joinColumnFieldNames?: array,
  1659.      *      targetToSourceKeyColumns?: array<array-key>,
  1660.      *      orphanRemoval: bool
  1661.      * }
  1662.      *
  1663.      * @throws RuntimeException
  1664.      * @throws MappingException
  1665.      */
  1666.     protected function _validateAndCompleteOneToOneMapping(array $mapping)
  1667.     {
  1668.         $mapping $this->_validateAndCompleteAssociationMapping($mapping);
  1669.         if (isset($mapping['joinColumns']) && $mapping['joinColumns']) {
  1670.             $mapping['isOwningSide'] = true;
  1671.         }
  1672.         if ($mapping['isOwningSide']) {
  1673.             if (empty($mapping['joinColumns'])) {
  1674.                 // Apply default join column
  1675.                 $mapping['joinColumns'] = [
  1676.                     [
  1677.                         'name' => $this->namingStrategy->joinColumnName($mapping['fieldName'], $this->name),
  1678.                         'referencedColumnName' => $this->namingStrategy->referenceColumnName(),
  1679.                     ],
  1680.                 ];
  1681.             }
  1682.             $uniqueConstraintColumns = [];
  1683.             foreach ($mapping['joinColumns'] as &$joinColumn) {
  1684.                 if ($mapping['type'] === self::ONE_TO_ONE && ! $this->isInheritanceTypeSingleTable()) {
  1685.                     if (count($mapping['joinColumns']) === 1) {
  1686.                         if (empty($mapping['id'])) {
  1687.                             $joinColumn['unique'] = true;
  1688.                         }
  1689.                     } else {
  1690.                         $uniqueConstraintColumns[] = $joinColumn['name'];
  1691.                     }
  1692.                 }
  1693.                 if (empty($joinColumn['name'])) {
  1694.                     $joinColumn['name'] = $this->namingStrategy->joinColumnName($mapping['fieldName'], $this->name);
  1695.                 }
  1696.                 if (empty($joinColumn['referencedColumnName'])) {
  1697.                     $joinColumn['referencedColumnName'] = $this->namingStrategy->referenceColumnName();
  1698.                 }
  1699.                 if ($joinColumn['name'][0] === '`') {
  1700.                     $joinColumn['name']   = trim($joinColumn['name'], '`');
  1701.                     $joinColumn['quoted'] = true;
  1702.                 }
  1703.                 if ($joinColumn['referencedColumnName'][0] === '`') {
  1704.                     $joinColumn['referencedColumnName'] = trim($joinColumn['referencedColumnName'], '`');
  1705.                     $joinColumn['quoted']               = true;
  1706.                 }
  1707.                 $mapping['sourceToTargetKeyColumns'][$joinColumn['name']] = $joinColumn['referencedColumnName'];
  1708.                 $mapping['joinColumnFieldNames'][$joinColumn['name']]     = $joinColumn['fieldName'] ?? $joinColumn['name'];
  1709.             }
  1710.             if ($uniqueConstraintColumns) {
  1711.                 if (! $this->table) {
  1712.                     throw new RuntimeException('ClassMetadataInfo::setTable() has to be called before defining a one to one relationship.');
  1713.                 }
  1714.                 $this->table['uniqueConstraints'][$mapping['fieldName'] . '_uniq'] = ['columns' => $uniqueConstraintColumns];
  1715.             }
  1716.             $mapping['targetToSourceKeyColumns'] = array_flip($mapping['sourceToTargetKeyColumns']);
  1717.         }
  1718.         $mapping['orphanRemoval']   = isset($mapping['orphanRemoval']) && $mapping['orphanRemoval'];
  1719.         $mapping['isCascadeRemove'] = $mapping['orphanRemoval'] || $mapping['isCascadeRemove'];
  1720.         if ($mapping['orphanRemoval']) {
  1721.             unset($mapping['unique']);
  1722.         }
  1723.         if (isset($mapping['id']) && $mapping['id'] === true && ! $mapping['isOwningSide']) {
  1724.             throw MappingException::illegalInverseIdentifierAssociation($this->name$mapping['fieldName']);
  1725.         }
  1726.         return $mapping;
  1727.     }
  1728.     /**
  1729.      * Validates & completes a one-to-many association mapping.
  1730.      *
  1731.      * @psalm-param array<string, mixed> $mapping The mapping to validate and complete.
  1732.      *
  1733.      * @return mixed[] The validated and completed mapping.
  1734.      * @psalm-return array{
  1735.      *                   mappedBy: mixed,
  1736.      *                   inversedBy: mixed,
  1737.      *                   isOwningSide: bool,
  1738.      *                   sourceEntity: string,
  1739.      *                   targetEntity: string,
  1740.      *                   fieldName: mixed,
  1741.      *                   fetch: int|mixed,
  1742.      *                   cascade: array<array-key,string>,
  1743.      *                   isCascadeRemove: bool,
  1744.      *                   isCascadePersist: bool,
  1745.      *                   isCascadeRefresh: bool,
  1746.      *                   isCascadeMerge: bool,
  1747.      *                   isCascadeDetach: bool,
  1748.      *                   orphanRemoval: bool
  1749.      *               }
  1750.      *
  1751.      * @throws MappingException
  1752.      * @throws InvalidArgumentException
  1753.      */
  1754.     protected function _validateAndCompleteOneToManyMapping(array $mapping)
  1755.     {
  1756.         $mapping $this->_validateAndCompleteAssociationMapping($mapping);
  1757.         // OneToMany-side MUST be inverse (must have mappedBy)
  1758.         if (! isset($mapping['mappedBy'])) {
  1759.             throw MappingException::oneToManyRequiresMappedBy($this->name$mapping['fieldName']);
  1760.         }
  1761.         $mapping['orphanRemoval']   = isset($mapping['orphanRemoval']) && $mapping['orphanRemoval'];
  1762.         $mapping['isCascadeRemove'] = $mapping['orphanRemoval'] || $mapping['isCascadeRemove'];
  1763.         $this->assertMappingOrderBy($mapping);
  1764.         return $mapping;
  1765.     }
  1766.     /**
  1767.      * Validates & completes a many-to-many association mapping.
  1768.      *
  1769.      * @psalm-param array<string, mixed> $mapping The mapping to validate & complete.
  1770.      * @psalm-param array<string, mixed> $mapping The mapping to validate & complete.
  1771.      *
  1772.      * @return mixed[] The validated & completed mapping.
  1773.      * @psalm-return array{
  1774.      *      mappedBy: mixed,
  1775.      *      inversedBy: mixed,
  1776.      *      isOwningSide: bool,
  1777.      *      sourceEntity: class-string,
  1778.      *      targetEntity: string,
  1779.      *      fieldName: mixed,
  1780.      *      fetch: mixed,
  1781.      *      cascade: array<string>,
  1782.      *      isCascadeRemove: bool,
  1783.      *      isCascadePersist: bool,
  1784.      *      isCascadeRefresh: bool,
  1785.      *      isCascadeMerge: bool,
  1786.      *      isCascadeDetach: bool,
  1787.      *      type: int,
  1788.      *      originalField: string,
  1789.      *      originalClass: class-string,
  1790.      *      joinTable?: array{inverseJoinColumns: mixed}|mixed,
  1791.      *      joinTableColumns?: list<mixed>,
  1792.      *      isOnDeleteCascade?: true,
  1793.      *      relationToSourceKeyColumns?: array,
  1794.      *      relationToTargetKeyColumns?: array,
  1795.      *      orphanRemoval: bool
  1796.      * }
  1797.      *
  1798.      * @throws InvalidArgumentException
  1799.      */
  1800.     protected function _validateAndCompleteManyToManyMapping(array $mapping)
  1801.     {
  1802.         $mapping $this->_validateAndCompleteAssociationMapping($mapping);
  1803.         if ($mapping['isOwningSide']) {
  1804.             // owning side MUST have a join table
  1805.             if (! isset($mapping['joinTable']['name'])) {
  1806.                 $mapping['joinTable']['name'] = $this->namingStrategy->joinTableName($mapping['sourceEntity'], $mapping['targetEntity'], $mapping['fieldName']);
  1807.             }
  1808.             $selfReferencingEntityWithoutJoinColumns $mapping['sourceEntity'] === $mapping['targetEntity']
  1809.                 && (! (isset($mapping['joinTable']['joinColumns']) || isset($mapping['joinTable']['inverseJoinColumns'])));
  1810.             if (! isset($mapping['joinTable']['joinColumns'])) {
  1811.                 $mapping['joinTable']['joinColumns'] = [
  1812.                     [
  1813.                         'name' => $this->namingStrategy->joinKeyColumnName($mapping['sourceEntity'], $selfReferencingEntityWithoutJoinColumns 'source' null),
  1814.                         'referencedColumnName' => $this->namingStrategy->referenceColumnName(),
  1815.                         'onDelete' => 'CASCADE',
  1816.                     ],
  1817.                 ];
  1818.             }
  1819.             if (! isset($mapping['joinTable']['inverseJoinColumns'])) {
  1820.                 $mapping['joinTable']['inverseJoinColumns'] = [
  1821.                     [
  1822.                         'name' => $this->namingStrategy->joinKeyColumnName($mapping['targetEntity'], $selfReferencingEntityWithoutJoinColumns 'target' null),
  1823.                         'referencedColumnName' => $this->namingStrategy->referenceColumnName(),
  1824.                         'onDelete' => 'CASCADE',
  1825.                     ],
  1826.                 ];
  1827.             }
  1828.             $mapping['joinTableColumns'] = [];
  1829.             foreach ($mapping['joinTable']['joinColumns'] as &$joinColumn) {
  1830.                 if (empty($joinColumn['name'])) {
  1831.                     $joinColumn['name'] = $this->namingStrategy->joinKeyColumnName($mapping['sourceEntity'], $joinColumn['referencedColumnName']);
  1832.                 }
  1833.                 if (empty($joinColumn['referencedColumnName'])) {
  1834.                     $joinColumn['referencedColumnName'] = $this->namingStrategy->referenceColumnName();
  1835.                 }
  1836.                 if ($joinColumn['name'][0] === '`') {
  1837.                     $joinColumn['name']   = trim($joinColumn['name'], '`');
  1838.                     $joinColumn['quoted'] = true;
  1839.                 }
  1840.                 if ($joinColumn['referencedColumnName'][0] === '`') {
  1841.                     $joinColumn['referencedColumnName'] = trim($joinColumn['referencedColumnName'], '`');
  1842.                     $joinColumn['quoted']               = true;
  1843.                 }
  1844.                 if (isset($joinColumn['onDelete']) && strtolower($joinColumn['onDelete']) === 'cascade') {
  1845.                     $mapping['isOnDeleteCascade'] = true;
  1846.                 }
  1847.                 $mapping['relationToSourceKeyColumns'][$joinColumn['name']] = $joinColumn['referencedColumnName'];
  1848.                 $mapping['joinTableColumns'][]                              = $joinColumn['name'];
  1849.             }
  1850.             foreach ($mapping['joinTable']['inverseJoinColumns'] as &$inverseJoinColumn) {
  1851.                 if (empty($inverseJoinColumn['name'])) {
  1852.                     $inverseJoinColumn['name'] = $this->namingStrategy->joinKeyColumnName($mapping['targetEntity'], $inverseJoinColumn['referencedColumnName']);
  1853.                 }
  1854.                 if (empty($inverseJoinColumn['referencedColumnName'])) {
  1855.                     $inverseJoinColumn['referencedColumnName'] = $this->namingStrategy->referenceColumnName();
  1856.                 }
  1857.                 if ($inverseJoinColumn['name'][0] === '`') {
  1858.                     $inverseJoinColumn['name']   = trim($inverseJoinColumn['name'], '`');
  1859.                     $inverseJoinColumn['quoted'] = true;
  1860.                 }
  1861.                 if ($inverseJoinColumn['referencedColumnName'][0] === '`') {
  1862.                     $inverseJoinColumn['referencedColumnName'] = trim($inverseJoinColumn['referencedColumnName'], '`');
  1863.                     $inverseJoinColumn['quoted']               = true;
  1864.                 }
  1865.                 if (isset($inverseJoinColumn['onDelete']) && strtolower($inverseJoinColumn['onDelete']) === 'cascade') {
  1866.                     $mapping['isOnDeleteCascade'] = true;
  1867.                 }
  1868.                 $mapping['relationToTargetKeyColumns'][$inverseJoinColumn['name']] = $inverseJoinColumn['referencedColumnName'];
  1869.                 $mapping['joinTableColumns'][]                                     = $inverseJoinColumn['name'];
  1870.             }
  1871.         }
  1872.         $mapping['orphanRemoval'] = isset($mapping['orphanRemoval']) && $mapping['orphanRemoval'];
  1873.         $this->assertMappingOrderBy($mapping);
  1874.         return $mapping;
  1875.     }
  1876.     /**
  1877.      * {@inheritDoc}
  1878.      */
  1879.     public function getIdentifierFieldNames()
  1880.     {
  1881.         return $this->identifier;
  1882.     }
  1883.     /**
  1884.      * Gets the name of the single id field. Note that this only works on
  1885.      * entity classes that have a single-field pk.
  1886.      *
  1887.      * @return string
  1888.      *
  1889.      * @throws MappingException If the class doesn't have an identifier or it has a composite primary key.
  1890.      */
  1891.     public function getSingleIdentifierFieldName()
  1892.     {
  1893.         if ($this->isIdentifierComposite) {
  1894.             throw MappingException::singleIdNotAllowedOnCompositePrimaryKey($this->name);
  1895.         }
  1896.         if (! isset($this->identifier[0])) {
  1897.             throw MappingException::noIdDefined($this->name);
  1898.         }
  1899.         return $this->identifier[0];
  1900.     }
  1901.     /**
  1902.      * Gets the column name of the single id column. Note that this only works on
  1903.      * entity classes that have a single-field pk.
  1904.      *
  1905.      * @return string
  1906.      *
  1907.      * @throws MappingException If the class doesn't have an identifier or it has a composite primary key.
  1908.      */
  1909.     public function getSingleIdentifierColumnName()
  1910.     {
  1911.         return $this->getColumnName($this->getSingleIdentifierFieldName());
  1912.     }
  1913.     /**
  1914.      * INTERNAL:
  1915.      * Sets the mapped identifier/primary key fields of this class.
  1916.      * Mainly used by the ClassMetadataFactory to assign inherited identifiers.
  1917.      *
  1918.      * @psalm-param list<mixed> $identifier
  1919.      *
  1920.      * @return void
  1921.      */
  1922.     public function setIdentifier(array $identifier)
  1923.     {
  1924.         $this->identifier            $identifier;
  1925.         $this->isIdentifierComposite = (count($this->identifier) > 1);
  1926.     }
  1927.     /**
  1928.      * {@inheritDoc}
  1929.      */
  1930.     public function getIdentifier()
  1931.     {
  1932.         return $this->identifier;
  1933.     }
  1934.     /**
  1935.      * {@inheritDoc}
  1936.      */
  1937.     public function hasField($fieldName)
  1938.     {
  1939.         return isset($this->fieldMappings[$fieldName]) || isset($this->embeddedClasses[$fieldName]);
  1940.     }
  1941.     /**
  1942.      * Gets an array containing all the column names.
  1943.      *
  1944.      * @psalm-param list<string>|null $fieldNames
  1945.      *
  1946.      * @return mixed[]
  1947.      * @psalm-return list<string>
  1948.      */
  1949.     public function getColumnNames(?array $fieldNames null)
  1950.     {
  1951.         if ($fieldNames === null) {
  1952.             return array_keys($this->fieldNames);
  1953.         }
  1954.         return array_values(array_map([$this'getColumnName'], $fieldNames));
  1955.     }
  1956.     /**
  1957.      * Returns an array with all the identifier column names.
  1958.      *
  1959.      * @psalm-return list<string>
  1960.      */
  1961.     public function getIdentifierColumnNames()
  1962.     {
  1963.         $columnNames = [];
  1964.         foreach ($this->identifier as $idProperty) {
  1965.             if (isset($this->fieldMappings[$idProperty])) {
  1966.                 $columnNames[] = $this->fieldMappings[$idProperty]['columnName'];
  1967.                 continue;
  1968.             }
  1969.             // Association defined as Id field
  1970.             $joinColumns      $this->associationMappings[$idProperty]['joinColumns'];
  1971.             $assocColumnNames array_map(static function ($joinColumn) {
  1972.                 return $joinColumn['name'];
  1973.             }, $joinColumns);
  1974.             $columnNames array_merge($columnNames$assocColumnNames);
  1975.         }
  1976.         return $columnNames;
  1977.     }
  1978.     /**
  1979.      * Sets the type of Id generator to use for the mapped class.
  1980.      *
  1981.      * @param int $generatorType
  1982.      * @psalm-param self::GENERATOR_TYPE_* $generatorType
  1983.      *
  1984.      * @return void
  1985.      */
  1986.     public function setIdGeneratorType($generatorType)
  1987.     {
  1988.         $this->generatorType $generatorType;
  1989.     }
  1990.     /**
  1991.      * Checks whether the mapped class uses an Id generator.
  1992.      *
  1993.      * @return bool TRUE if the mapped class uses an Id generator, FALSE otherwise.
  1994.      */
  1995.     public function usesIdGenerator()
  1996.     {
  1997.         return $this->generatorType !== self::GENERATOR_TYPE_NONE;
  1998.     }
  1999.     /**
  2000.      * @return bool
  2001.      */
  2002.     public function isInheritanceTypeNone()
  2003.     {
  2004.         return $this->inheritanceType === self::INHERITANCE_TYPE_NONE;
  2005.     }
  2006.     /**
  2007.      * Checks whether the mapped class uses the JOINED inheritance mapping strategy.
  2008.      *
  2009.      * @return bool TRUE if the class participates in a JOINED inheritance mapping,
  2010.      * FALSE otherwise.
  2011.      */
  2012.     public function isInheritanceTypeJoined()
  2013.     {
  2014.         return $this->inheritanceType === self::INHERITANCE_TYPE_JOINED;
  2015.     }
  2016.     /**
  2017.      * Checks whether the mapped class uses the SINGLE_TABLE inheritance mapping strategy.
  2018.      *
  2019.      * @return bool TRUE if the class participates in a SINGLE_TABLE inheritance mapping,
  2020.      * FALSE otherwise.
  2021.      */
  2022.     public function isInheritanceTypeSingleTable()
  2023.     {
  2024.         return $this->inheritanceType === self::INHERITANCE_TYPE_SINGLE_TABLE;
  2025.     }
  2026.     /**
  2027.      * Checks whether the mapped class uses the TABLE_PER_CLASS inheritance mapping strategy.
  2028.      *
  2029.      * @return bool TRUE if the class participates in a TABLE_PER_CLASS inheritance mapping,
  2030.      * FALSE otherwise.
  2031.      */
  2032.     public function isInheritanceTypeTablePerClass()
  2033.     {
  2034.         return $this->inheritanceType === self::INHERITANCE_TYPE_TABLE_PER_CLASS;
  2035.     }
  2036.     /**
  2037.      * Checks whether the class uses an identity column for the Id generation.
  2038.      *
  2039.      * @return bool TRUE if the class uses the IDENTITY generator, FALSE otherwise.
  2040.      */
  2041.     public function isIdGeneratorIdentity()
  2042.     {
  2043.         return $this->generatorType === self::GENERATOR_TYPE_IDENTITY;
  2044.     }
  2045.     /**
  2046.      * Checks whether the class uses a sequence for id generation.
  2047.      *
  2048.      * @return bool TRUE if the class uses the SEQUENCE generator, FALSE otherwise.
  2049.      */
  2050.     public function isIdGeneratorSequence()
  2051.     {
  2052.         return $this->generatorType === self::GENERATOR_TYPE_SEQUENCE;
  2053.     }
  2054.     /**
  2055.      * Checks whether the class uses a table for id generation.
  2056.      *
  2057.      * @deprecated
  2058.      *
  2059.      * @return false
  2060.      */
  2061.     public function isIdGeneratorTable()
  2062.     {
  2063.         Deprecation::trigger(
  2064.             'doctrine/orm',
  2065.             'https://github.com/doctrine/orm/pull/9046',
  2066.             '%s is deprecated',
  2067.             __METHOD__
  2068.         );
  2069.         return false;
  2070.     }
  2071.     /**
  2072.      * Checks whether the class has a natural identifier/pk (which means it does
  2073.      * not use any Id generator.
  2074.      *
  2075.      * @return bool
  2076.      */
  2077.     public function isIdentifierNatural()
  2078.     {
  2079.         return $this->generatorType === self::GENERATOR_TYPE_NONE;
  2080.     }
  2081.     /**
  2082.      * Checks whether the class use a UUID for id generation.
  2083.      *
  2084.      * @deprecated
  2085.      *
  2086.      * @return bool
  2087.      */
  2088.     public function isIdentifierUuid()
  2089.     {
  2090.         Deprecation::trigger(
  2091.             'doctrine/orm',
  2092.             'https://github.com/doctrine/orm/pull/9046',
  2093.             '%s is deprecated',
  2094.             __METHOD__
  2095.         );
  2096.         return $this->generatorType === self::GENERATOR_TYPE_UUID;
  2097.     }
  2098.     /**
  2099.      * Gets the type of a field.
  2100.      *
  2101.      * @param string $fieldName
  2102.      *
  2103.      * @return string|null
  2104.      *
  2105.      * @todo 3.0 Remove this. PersisterHelper should fix it somehow
  2106.      */
  2107.     public function getTypeOfField($fieldName)
  2108.     {
  2109.         return isset($this->fieldMappings[$fieldName])
  2110.             ? $this->fieldMappings[$fieldName]['type']
  2111.             : null;
  2112.     }
  2113.     /**
  2114.      * Gets the type of a column.
  2115.      *
  2116.      * @deprecated 3.0 remove this. this method is bogus and unreliable, since it cannot resolve the type of a column
  2117.      *             that is derived by a referenced field on a different entity.
  2118.      *
  2119.      * @param string $columnName
  2120.      *
  2121.      * @return string|null
  2122.      */
  2123.     public function getTypeOfColumn($columnName)
  2124.     {
  2125.         return $this->getTypeOfField($this->getFieldName($columnName));
  2126.     }
  2127.     /**
  2128.      * Gets the name of the primary table.
  2129.      *
  2130.      * @return string
  2131.      */
  2132.     public function getTableName()
  2133.     {
  2134.         return $this->table['name'];
  2135.     }
  2136.     /**
  2137.      * Gets primary table's schema name.
  2138.      *
  2139.      * @return string|null
  2140.      */
  2141.     public function getSchemaName()
  2142.     {
  2143.         return $this->table['schema'] ?? null;
  2144.     }
  2145.     /**
  2146.      * Gets the table name to use for temporary identifier tables of this class.
  2147.      *
  2148.      * @return string
  2149.      */
  2150.     public function getTemporaryIdTableName()
  2151.     {
  2152.         // replace dots with underscores because PostgreSQL creates temporary tables in a special schema
  2153.         return str_replace('.''_'$this->getTableName() . '_id_tmp');
  2154.     }
  2155.     /**
  2156.      * Sets the mapped subclasses of this class.
  2157.      *
  2158.      * @psalm-param list<string> $subclasses The names of all mapped subclasses.
  2159.      *
  2160.      * @return void
  2161.      */
  2162.     public function setSubclasses(array $subclasses)
  2163.     {
  2164.         foreach ($subclasses as $subclass) {
  2165.             $this->subClasses[] = $this->fullyQualifiedClassName($subclass);
  2166.         }
  2167.     }
  2168.     /**
  2169.      * Sets the parent class names.
  2170.      * Assumes that the class names in the passed array are in the order:
  2171.      * directParent -> directParentParent -> directParentParentParent ... -> root.
  2172.      *
  2173.      * @psalm-param list<class-string> $classNames
  2174.      *
  2175.      * @return void
  2176.      */
  2177.     public function setParentClasses(array $classNames)
  2178.     {
  2179.         $this->parentClasses $classNames;
  2180.         if (count($classNames) > 0) {
  2181.             $this->rootEntityName array_pop($classNames);
  2182.         }
  2183.     }
  2184.     /**
  2185.      * Sets the inheritance type used by the class and its subclasses.
  2186.      *
  2187.      * @param int $type
  2188.      * @psalm-param self::INHERITANCE_TYPE_* $type
  2189.      *
  2190.      * @return void
  2191.      *
  2192.      * @throws MappingException
  2193.      */
  2194.     public function setInheritanceType($type)
  2195.     {
  2196.         if (! $this->isInheritanceType($type)) {
  2197.             throw MappingException::invalidInheritanceType($this->name$type);
  2198.         }
  2199.         $this->inheritanceType $type;
  2200.     }
  2201.     /**
  2202.      * Sets the association to override association mapping of property for an entity relationship.
  2203.      *
  2204.      * @param string $fieldName
  2205.      * @psalm-param array<string, mixed> $overrideMapping
  2206.      *
  2207.      * @return void
  2208.      *
  2209.      * @throws MappingException
  2210.      */
  2211.     public function setAssociationOverride($fieldName, array $overrideMapping)
  2212.     {
  2213.         if (! isset($this->associationMappings[$fieldName])) {
  2214.             throw MappingException::invalidOverrideFieldName($this->name$fieldName);
  2215.         }
  2216.         $mapping $this->associationMappings[$fieldName];
  2217.         //if (isset($mapping['inherited']) && (count($overrideMapping) !== 1 || ! isset($overrideMapping['fetch']))) {
  2218.             // TODO: Deprecate overriding the fetch mode via association override for 3.0,
  2219.             // users should do this with a listener and a custom attribute/annotation
  2220.             // TODO: Enable this exception in 2.8
  2221.             //throw MappingException::illegalOverrideOfInheritedProperty($this->name, $fieldName);
  2222.         //}
  2223.         if (isset($overrideMapping['joinColumns'])) {
  2224.             $mapping['joinColumns'] = $overrideMapping['joinColumns'];
  2225.         }
  2226.         if (isset($overrideMapping['inversedBy'])) {
  2227.             $mapping['inversedBy'] = $overrideMapping['inversedBy'];
  2228.         }
  2229.         if (isset($overrideMapping['joinTable'])) {
  2230.             $mapping['joinTable'] = $overrideMapping['joinTable'];
  2231.         }
  2232.         if (isset($overrideMapping['fetch'])) {
  2233.             $mapping['fetch'] = $overrideMapping['fetch'];
  2234.         }
  2235.         $mapping['joinColumnFieldNames']       = null;
  2236.         $mapping['joinTableColumns']           = null;
  2237.         $mapping['sourceToTargetKeyColumns']   = null;
  2238.         $mapping['relationToSourceKeyColumns'] = null;
  2239.         $mapping['relationToTargetKeyColumns'] = null;
  2240.         switch ($mapping['type']) {
  2241.             case self::ONE_TO_ONE:
  2242.                 $mapping $this->_validateAndCompleteOneToOneMapping($mapping);
  2243.                 break;
  2244.             case self::ONE_TO_MANY:
  2245.                 $mapping $this->_validateAndCompleteOneToManyMapping($mapping);
  2246.                 break;
  2247.             case self::MANY_TO_ONE:
  2248.                 $mapping $this->_validateAndCompleteOneToOneMapping($mapping);
  2249.                 break;
  2250.             case self::MANY_TO_MANY:
  2251.                 $mapping $this->_validateAndCompleteManyToManyMapping($mapping);
  2252.                 break;
  2253.         }
  2254.         $this->associationMappings[$fieldName] = $mapping;
  2255.     }
  2256.     /**
  2257.      * Sets the override for a mapped field.
  2258.      *
  2259.      * @param string $fieldName
  2260.      * @psalm-param array<string, mixed> $overrideMapping
  2261.      *
  2262.      * @return void
  2263.      *
  2264.      * @throws MappingException
  2265.      */
  2266.     public function setAttributeOverride($fieldName, array $overrideMapping)
  2267.     {
  2268.         if (! isset($this->fieldMappings[$fieldName])) {
  2269.             throw MappingException::invalidOverrideFieldName($this->name$fieldName);
  2270.         }
  2271.         $mapping $this->fieldMappings[$fieldName];
  2272.         //if (isset($mapping['inherited'])) {
  2273.             // TODO: Enable this exception in 2.8
  2274.             //throw MappingException::illegalOverrideOfInheritedProperty($this->name, $fieldName);
  2275.         //}
  2276.         if (isset($mapping['id'])) {
  2277.             $overrideMapping['id'] = $mapping['id'];
  2278.         }
  2279.         if (! isset($overrideMapping['type'])) {
  2280.             $overrideMapping['type'] = $mapping['type'];
  2281.         }
  2282.         if (! isset($overrideMapping['fieldName'])) {
  2283.             $overrideMapping['fieldName'] = $mapping['fieldName'];
  2284.         }
  2285.         if ($overrideMapping['type'] !== $mapping['type']) {
  2286.             throw MappingException::invalidOverrideFieldType($this->name$fieldName);
  2287.         }
  2288.         unset($this->fieldMappings[$fieldName]);
  2289.         unset($this->fieldNames[$mapping['columnName']]);
  2290.         unset($this->columnNames[$mapping['fieldName']]);
  2291.         $overrideMapping $this->validateAndCompleteFieldMapping($overrideMapping);
  2292.         $this->fieldMappings[$fieldName] = $overrideMapping;
  2293.     }
  2294.     /**
  2295.      * Checks whether a mapped field is inherited from an entity superclass.
  2296.      *
  2297.      * @param string $fieldName
  2298.      *
  2299.      * @return bool TRUE if the field is inherited, FALSE otherwise.
  2300.      */
  2301.     public function isInheritedField($fieldName)
  2302.     {
  2303.         return isset($this->fieldMappings[$fieldName]['inherited']);
  2304.     }
  2305.     /**
  2306.      * Checks if this entity is the root in any entity-inheritance-hierarchy.
  2307.      *
  2308.      * @return bool
  2309.      */
  2310.     public function isRootEntity()
  2311.     {
  2312.         return $this->name === $this->rootEntityName;
  2313.     }
  2314.     /**
  2315.      * Checks whether a mapped association field is inherited from a superclass.
  2316.      *
  2317.      * @param string $fieldName
  2318.      *
  2319.      * @return bool TRUE if the field is inherited, FALSE otherwise.
  2320.      */
  2321.     public function isInheritedAssociation($fieldName)
  2322.     {
  2323.         return isset($this->associationMappings[$fieldName]['inherited']);
  2324.     }
  2325.     /**
  2326.      * @param string $fieldName
  2327.      *
  2328.      * @return bool
  2329.      */
  2330.     public function isInheritedEmbeddedClass($fieldName)
  2331.     {
  2332.         return isset($this->embeddedClasses[$fieldName]['inherited']);
  2333.     }
  2334.     /**
  2335.      * Sets the name of the primary table the class is mapped to.
  2336.      *
  2337.      * @deprecated Use {@link setPrimaryTable}.
  2338.      *
  2339.      * @param string $tableName The table name.
  2340.      *
  2341.      * @return void
  2342.      */
  2343.     public function setTableName($tableName)
  2344.     {
  2345.         $this->table['name'] = $tableName;
  2346.     }
  2347.     /**
  2348.      * Sets the primary table definition. The provided array supports the
  2349.      * following structure:
  2350.      *
  2351.      * name => <tableName> (optional, defaults to class name)
  2352.      * indexes => array of indexes (optional)
  2353.      * uniqueConstraints => array of constraints (optional)
  2354.      *
  2355.      * If a key is omitted, the current value is kept.
  2356.      *
  2357.      * @psalm-param array<string, mixed> $table The table description.
  2358.      *
  2359.      * @return void
  2360.      */
  2361.     public function setPrimaryTable(array $table)
  2362.     {
  2363.         if (isset($table['name'])) {
  2364.             // Split schema and table name from a table name like "myschema.mytable"
  2365.             if (str_contains($table['name'], '.')) {
  2366.                 [$this->table['schema'], $table['name']] = explode('.'$table['name'], 2);
  2367.             }
  2368.             if ($table['name'][0] === '`') {
  2369.                 $table['name']         = trim($table['name'], '`');
  2370.                 $this->table['quoted'] = true;
  2371.             }
  2372.             $this->table['name'] = $table['name'];
  2373.         }
  2374.         if (isset($table['quoted'])) {
  2375.             $this->table['quoted'] = $table['quoted'];
  2376.         }
  2377.         if (isset($table['schema'])) {
  2378.             $this->table['schema'] = $table['schema'];
  2379.         }
  2380.         if (isset($table['indexes'])) {
  2381.             $this->table['indexes'] = $table['indexes'];
  2382.         }
  2383.         if (isset($table['uniqueConstraints'])) {
  2384.             $this->table['uniqueConstraints'] = $table['uniqueConstraints'];
  2385.         }
  2386.         if (isset($table['options'])) {
  2387.             $this->table['options'] = $table['options'];
  2388.         }
  2389.     }
  2390.     /**
  2391.      * Checks whether the given type identifies an inheritance type.
  2392.      *
  2393.      * @return bool TRUE if the given type identifies an inheritance type, FALSE otherwise.
  2394.      */
  2395.     private function isInheritanceType(int $type): bool
  2396.     {
  2397.         return $type === self::INHERITANCE_TYPE_NONE ||
  2398.                 $type === self::INHERITANCE_TYPE_SINGLE_TABLE ||
  2399.                 $type === self::INHERITANCE_TYPE_JOINED ||
  2400.                 $type === self::INHERITANCE_TYPE_TABLE_PER_CLASS;
  2401.     }
  2402.     /**
  2403.      * Adds a mapped field to the class.
  2404.      *
  2405.      * @psalm-param array<string, mixed> $mapping The field mapping.
  2406.      *
  2407.      * @return void
  2408.      *
  2409.      * @throws MappingException
  2410.      */
  2411.     public function mapField(array $mapping)
  2412.     {
  2413.         $mapping $this->validateAndCompleteFieldMapping($mapping);
  2414.         $this->assertFieldNotMapped($mapping['fieldName']);
  2415.         if (isset($mapping['generated'])) {
  2416.             $this->requiresFetchAfterChange true;
  2417.         }
  2418.         $this->fieldMappings[$mapping['fieldName']] = $mapping;
  2419.     }
  2420.     /**
  2421.      * INTERNAL:
  2422.      * Adds an association mapping without completing/validating it.
  2423.      * This is mainly used to add inherited association mappings to derived classes.
  2424.      *
  2425.      * @psalm-param array<string, mixed> $mapping
  2426.      *
  2427.      * @return void
  2428.      *
  2429.      * @throws MappingException
  2430.      */
  2431.     public function addInheritedAssociationMapping(array $mapping/*, $owningClassName = null*/)
  2432.     {
  2433.         if (isset($this->associationMappings[$mapping['fieldName']])) {
  2434.             throw MappingException::duplicateAssociationMapping($this->name$mapping['fieldName']);
  2435.         }
  2436.         $this->associationMappings[$mapping['fieldName']] = $mapping;
  2437.     }
  2438.     /**
  2439.      * INTERNAL:
  2440.      * Adds a field mapping without completing/validating it.
  2441.      * This is mainly used to add inherited field mappings to derived classes.
  2442.      *
  2443.      * @psalm-param array<string, mixed> $fieldMapping
  2444.      *
  2445.      * @return void
  2446.      */
  2447.     public function addInheritedFieldMapping(array $fieldMapping)
  2448.     {
  2449.         $this->fieldMappings[$fieldMapping['fieldName']] = $fieldMapping;
  2450.         $this->columnNames[$fieldMapping['fieldName']]   = $fieldMapping['columnName'];
  2451.         $this->fieldNames[$fieldMapping['columnName']]   = $fieldMapping['fieldName'];
  2452.     }
  2453.     /**
  2454.      * INTERNAL:
  2455.      * Adds a named query to this class.
  2456.      *
  2457.      * @deprecated
  2458.      *
  2459.      * @psalm-param array<string, mixed> $queryMapping
  2460.      *
  2461.      * @return void
  2462.      *
  2463.      * @throws MappingException
  2464.      */
  2465.     public function addNamedQuery(array $queryMapping)
  2466.     {
  2467.         if (! isset($queryMapping['name'])) {
  2468.             throw MappingException::nameIsMandatoryForQueryMapping($this->name);
  2469.         }
  2470.         Deprecation::trigger(
  2471.             'doctrine/orm',
  2472.             'https://github.com/doctrine/orm/issues/8592',
  2473.             'Named Queries are deprecated, here "%s" on entity %s. Move the query logic into EntityRepository',
  2474.             $queryMapping['name'],
  2475.             $this->name
  2476.         );
  2477.         if (isset($this->namedQueries[$queryMapping['name']])) {
  2478.             throw MappingException::duplicateQueryMapping($this->name$queryMapping['name']);
  2479.         }
  2480.         if (! isset($queryMapping['query'])) {
  2481.             throw MappingException::emptyQueryMapping($this->name$queryMapping['name']);
  2482.         }
  2483.         $name  $queryMapping['name'];
  2484.         $query $queryMapping['query'];
  2485.         $dql   str_replace('__CLASS__'$this->name$query);
  2486.         $this->namedQueries[$name] = [
  2487.             'name'  => $name,
  2488.             'query' => $query,
  2489.             'dql'   => $dql,
  2490.         ];
  2491.     }
  2492.     /**
  2493.      * INTERNAL:
  2494.      * Adds a named native query to this class.
  2495.      *
  2496.      * @deprecated
  2497.      *
  2498.      * @psalm-param array<string, mixed> $queryMapping
  2499.      *
  2500.      * @return void
  2501.      *
  2502.      * @throws MappingException
  2503.      */
  2504.     public function addNamedNativeQuery(array $queryMapping)
  2505.     {
  2506.         if (! isset($queryMapping['name'])) {
  2507.             throw MappingException::nameIsMandatoryForQueryMapping($this->name);
  2508.         }
  2509.         Deprecation::trigger(
  2510.             'doctrine/orm',
  2511.             'https://github.com/doctrine/orm/issues/8592',
  2512.             'Named Native Queries are deprecated, here "%s" on entity %s. Move the query logic into EntityRepository',
  2513.             $queryMapping['name'],
  2514.             $this->name
  2515.         );
  2516.         if (isset($this->namedNativeQueries[$queryMapping['name']])) {
  2517.             throw MappingException::duplicateQueryMapping($this->name$queryMapping['name']);
  2518.         }
  2519.         if (! isset($queryMapping['query'])) {
  2520.             throw MappingException::emptyQueryMapping($this->name$queryMapping['name']);
  2521.         }
  2522.         if (! isset($queryMapping['resultClass']) && ! isset($queryMapping['resultSetMapping'])) {
  2523.             throw MappingException::missingQueryMapping($this->name$queryMapping['name']);
  2524.         }
  2525.         $queryMapping['isSelfClass'] = false;
  2526.         if (isset($queryMapping['resultClass'])) {
  2527.             if ($queryMapping['resultClass'] === '__CLASS__') {
  2528.                 $queryMapping['isSelfClass'] = true;
  2529.                 $queryMapping['resultClass'] = $this->name;
  2530.             }
  2531.             $queryMapping['resultClass'] = $this->fullyQualifiedClassName($queryMapping['resultClass']);
  2532.             $queryMapping['resultClass'] = ltrim($queryMapping['resultClass'], '\\');
  2533.         }
  2534.         $this->namedNativeQueries[$queryMapping['name']] = $queryMapping;
  2535.     }
  2536.     /**
  2537.      * INTERNAL:
  2538.      * Adds a sql result set mapping to this class.
  2539.      *
  2540.      * @psalm-param array<string, mixed> $resultMapping
  2541.      *
  2542.      * @return void
  2543.      *
  2544.      * @throws MappingException
  2545.      */
  2546.     public function addSqlResultSetMapping(array $resultMapping)
  2547.     {
  2548.         if (! isset($resultMapping['name'])) {
  2549.             throw MappingException::nameIsMandatoryForSqlResultSetMapping($this->name);
  2550.         }
  2551.         if (isset($this->sqlResultSetMappings[$resultMapping['name']])) {
  2552.             throw MappingException::duplicateResultSetMapping($this->name$resultMapping['name']);
  2553.         }
  2554.         if (isset($resultMapping['entities'])) {
  2555.             foreach ($resultMapping['entities'] as $key => $entityResult) {
  2556.                 if (! isset($entityResult['entityClass'])) {
  2557.                     throw MappingException::missingResultSetMappingEntity($this->name$resultMapping['name']);
  2558.                 }
  2559.                 $entityResult['isSelfClass'] = false;
  2560.                 if ($entityResult['entityClass'] === '__CLASS__') {
  2561.                     $entityResult['isSelfClass'] = true;
  2562.                     $entityResult['entityClass'] = $this->name;
  2563.                 }
  2564.                 $entityResult['entityClass'] = $this->fullyQualifiedClassName($entityResult['entityClass']);
  2565.                 $resultMapping['entities'][$key]['entityClass'] = ltrim($entityResult['entityClass'], '\\');
  2566.                 $resultMapping['entities'][$key]['isSelfClass'] = $entityResult['isSelfClass'];
  2567.                 if (isset($entityResult['fields'])) {
  2568.                     foreach ($entityResult['fields'] as $k => $field) {
  2569.                         if (! isset($field['name'])) {
  2570.                             throw MappingException::missingResultSetMappingFieldName($this->name$resultMapping['name']);
  2571.                         }
  2572.                         if (! isset($field['column'])) {
  2573.                             $fieldName $field['name'];
  2574.                             if (str_contains($fieldName'.')) {
  2575.                                 [, $fieldName] = explode('.'$fieldName);
  2576.                             }
  2577.                             $resultMapping['entities'][$key]['fields'][$k]['column'] = $fieldName;
  2578.                         }
  2579.                     }
  2580.                 }
  2581.             }
  2582.         }
  2583.         $this->sqlResultSetMappings[$resultMapping['name']] = $resultMapping;
  2584.     }
  2585.     /**
  2586.      * Adds a one-to-one mapping.
  2587.      *
  2588.      * @param array<string, mixed> $mapping The mapping.
  2589.      *
  2590.      * @return void
  2591.      */
  2592.     public function mapOneToOne(array $mapping)
  2593.     {
  2594.         $mapping['type'] = self::ONE_TO_ONE;
  2595.         $mapping $this->_validateAndCompleteOneToOneMapping($mapping);
  2596.         $this->_storeAssociationMapping($mapping);
  2597.     }
  2598.     /**
  2599.      * Adds a one-to-many mapping.
  2600.      *
  2601.      * @psalm-param array<string, mixed> $mapping The mapping.
  2602.      *
  2603.      * @return void
  2604.      */
  2605.     public function mapOneToMany(array $mapping)
  2606.     {
  2607.         $mapping['type'] = self::ONE_TO_MANY;
  2608.         $mapping $this->_validateAndCompleteOneToManyMapping($mapping);
  2609.         $this->_storeAssociationMapping($mapping);
  2610.     }
  2611.     /**
  2612.      * Adds a many-to-one mapping.
  2613.      *
  2614.      * @psalm-param array<string, mixed> $mapping The mapping.
  2615.      *
  2616.      * @return void
  2617.      */
  2618.     public function mapManyToOne(array $mapping)
  2619.     {
  2620.         $mapping['type'] = self::MANY_TO_ONE;
  2621.         // A many-to-one mapping is essentially a one-one backreference
  2622.         $mapping $this->_validateAndCompleteOneToOneMapping($mapping);
  2623.         $this->_storeAssociationMapping($mapping);
  2624.     }
  2625.     /**
  2626.      * Adds a many-to-many mapping.
  2627.      *
  2628.      * @psalm-param array<string, mixed> $mapping The mapping.
  2629.      *
  2630.      * @return void
  2631.      */
  2632.     public function mapManyToMany(array $mapping)
  2633.     {
  2634.         $mapping['type'] = self::MANY_TO_MANY;
  2635.         $mapping $this->_validateAndCompleteManyToManyMapping($mapping);
  2636.         $this->_storeAssociationMapping($mapping);
  2637.     }
  2638.     /**
  2639.      * Stores the association mapping.
  2640.      *
  2641.      * @psalm-param array<string, mixed> $assocMapping
  2642.      *
  2643.      * @return void
  2644.      *
  2645.      * @throws MappingException
  2646.      */
  2647.     protected function _storeAssociationMapping(array $assocMapping)
  2648.     {
  2649.         $sourceFieldName $assocMapping['fieldName'];
  2650.         $this->assertFieldNotMapped($sourceFieldName);
  2651.         $this->associationMappings[$sourceFieldName] = $assocMapping;
  2652.     }
  2653.     /**
  2654.      * Registers a custom repository class for the entity class.
  2655.      *
  2656.      * @param string|null $repositoryClassName The class name of the custom mapper.
  2657.      * @psalm-param class-string<EntityRepository>|null $repositoryClassName
  2658.      *
  2659.      * @return void
  2660.      */
  2661.     public function setCustomRepositoryClass($repositoryClassName)
  2662.     {
  2663.         $this->customRepositoryClassName $this->fullyQualifiedClassName($repositoryClassName);
  2664.     }
  2665.     /**
  2666.      * Dispatches the lifecycle event of the given entity to the registered
  2667.      * lifecycle callbacks and lifecycle listeners.
  2668.      *
  2669.      * @deprecated Deprecated since version 2.4 in favor of \Doctrine\ORM\Event\ListenersInvoker
  2670.      *
  2671.      * @param string $lifecycleEvent The lifecycle event.
  2672.      * @param object $entity         The Entity on which the event occurred.
  2673.      *
  2674.      * @return void
  2675.      */
  2676.     public function invokeLifecycleCallbacks($lifecycleEvent$entity)
  2677.     {
  2678.         foreach ($this->lifecycleCallbacks[$lifecycleEvent] as $callback) {
  2679.             $entity->$callback();
  2680.         }
  2681.     }
  2682.     /**
  2683.      * Whether the class has any attached lifecycle listeners or callbacks for a lifecycle event.
  2684.      *
  2685.      * @param string $lifecycleEvent
  2686.      *
  2687.      * @return bool
  2688.      */
  2689.     public function hasLifecycleCallbacks($lifecycleEvent)
  2690.     {
  2691.         return isset($this->lifecycleCallbacks[$lifecycleEvent]);
  2692.     }
  2693.     /**
  2694.      * Gets the registered lifecycle callbacks for an event.
  2695.      *
  2696.      * @param string $event
  2697.      *
  2698.      * @return string[]
  2699.      * @psalm-return list<string>
  2700.      */
  2701.     public function getLifecycleCallbacks($event)
  2702.     {
  2703.         return $this->lifecycleCallbacks[$event] ?? [];
  2704.     }
  2705.     /**
  2706.      * Adds a lifecycle callback for entities of this class.
  2707.      *
  2708.      * @param string $callback
  2709.      * @param string $event
  2710.      *
  2711.      * @return void
  2712.      */
  2713.     public function addLifecycleCallback($callback$event)
  2714.     {
  2715.         if ($this->isEmbeddedClass) {
  2716.             Deprecation::trigger(
  2717.                 'doctrine/orm',
  2718.                 'https://github.com/doctrine/orm/pull/8381',
  2719.                 'Registering lifecycle callback %s on Embedded class %s is not doing anything and will throw exception in 3.0',
  2720.                 $event,
  2721.                 $this->name
  2722.             );
  2723.         }
  2724.         if (isset($this->lifecycleCallbacks[$event]) && in_array($callback$this->lifecycleCallbacks[$event], true)) {
  2725.             return;
  2726.         }
  2727.         $this->lifecycleCallbacks[$event][] = $callback;
  2728.     }
  2729.     /**
  2730.      * Sets the lifecycle callbacks for entities of this class.
  2731.      * Any previously registered callbacks are overwritten.
  2732.      *
  2733.      * @psalm-param array<string, list<string>> $callbacks
  2734.      *
  2735.      * @return void
  2736.      */
  2737.     public function setLifecycleCallbacks(array $callbacks)
  2738.     {
  2739.         $this->lifecycleCallbacks $callbacks;
  2740.     }
  2741.     /**
  2742.      * Adds a entity listener for entities of this class.
  2743.      *
  2744.      * @param string $eventName The entity lifecycle event.
  2745.      * @param string $class     The listener class.
  2746.      * @param string $method    The listener callback method.
  2747.      *
  2748.      * @return void
  2749.      *
  2750.      * @throws MappingException
  2751.      */
  2752.     public function addEntityListener($eventName$class$method)
  2753.     {
  2754.         $class $this->fullyQualifiedClassName($class);
  2755.         $listener = [
  2756.             'class'  => $class,
  2757.             'method' => $method,
  2758.         ];
  2759.         if (! class_exists($class)) {
  2760.             throw MappingException::entityListenerClassNotFound($class$this->name);
  2761.         }
  2762.         if (! method_exists($class$method)) {
  2763.             throw MappingException::entityListenerMethodNotFound($class$method$this->name);
  2764.         }
  2765.         if (isset($this->entityListeners[$eventName]) && in_array($listener$this->entityListeners[$eventName], true)) {
  2766.             throw MappingException::duplicateEntityListener($class$method$this->name);
  2767.         }
  2768.         $this->entityListeners[$eventName][] = $listener;
  2769.     }
  2770.     /**
  2771.      * Sets the discriminator column definition.
  2772.      *
  2773.      * @see getDiscriminatorColumn()
  2774.      *
  2775.      * @param mixed[]|null $columnDef
  2776.      * @psalm-param array<string, mixed>|null $columnDef
  2777.      *
  2778.      * @return void
  2779.      *
  2780.      * @throws MappingException
  2781.      */
  2782.     public function setDiscriminatorColumn($columnDef)
  2783.     {
  2784.         if ($columnDef !== null) {
  2785.             if (! isset($columnDef['name'])) {
  2786.                 throw MappingException::nameIsMandatoryForDiscriminatorColumns($this->name);
  2787.             }
  2788.             if (isset($this->fieldNames[$columnDef['name']])) {
  2789.                 throw MappingException::duplicateColumnName($this->name$columnDef['name']);
  2790.             }
  2791.             if (! isset($columnDef['fieldName'])) {
  2792.                 $columnDef['fieldName'] = $columnDef['name'];
  2793.             }
  2794.             if (! isset($columnDef['type'])) {
  2795.                 $columnDef['type'] = 'string';
  2796.             }
  2797.             if (in_array($columnDef['type'], ['boolean''array''object''datetime''time''date'], true)) {
  2798.                 throw MappingException::invalidDiscriminatorColumnType($this->name$columnDef['type']);
  2799.             }
  2800.             $this->discriminatorColumn $columnDef;
  2801.         }
  2802.     }
  2803.     /**
  2804.      * @return array<string, mixed>
  2805.      */
  2806.     final public function getDiscriminatorColumn(): array
  2807.     {
  2808.         if ($this->discriminatorColumn === null) {
  2809.             throw new LogicException('The discriminator column was not set.');
  2810.         }
  2811.         return $this->discriminatorColumn;
  2812.     }
  2813.     /**
  2814.      * Sets the discriminator values used by this class.
  2815.      * Used for JOINED and SINGLE_TABLE inheritance mapping strategies.
  2816.      *
  2817.      * @psalm-param array<string, class-string> $map
  2818.      *
  2819.      * @return void
  2820.      */
  2821.     public function setDiscriminatorMap(array $map)
  2822.     {
  2823.         foreach ($map as $value => $className) {
  2824.             $this->addDiscriminatorMapClass($value$className);
  2825.         }
  2826.     }
  2827.     /**
  2828.      * Adds one entry of the discriminator map with a new class and corresponding name.
  2829.      *
  2830.      * @param string $name
  2831.      * @param string $className
  2832.      * @psalm-param class-string $className
  2833.      *
  2834.      * @return void
  2835.      *
  2836.      * @throws MappingException
  2837.      */
  2838.     public function addDiscriminatorMapClass($name$className)
  2839.     {
  2840.         $className $this->fullyQualifiedClassName($className);
  2841.         $className ltrim($className'\\');
  2842.         $this->discriminatorMap[$name] = $className;
  2843.         if ($this->name === $className) {
  2844.             $this->discriminatorValue $name;
  2845.             return;
  2846.         }
  2847.         if (! (class_exists($className) || interface_exists($className))) {
  2848.             throw MappingException::invalidClassInDiscriminatorMap($className$this->name);
  2849.         }
  2850.         if (is_subclass_of($className$this->name) && ! in_array($className$this->subClassestrue)) {
  2851.             $this->subClasses[] = $className;
  2852.         }
  2853.     }
  2854.     /**
  2855.      * Checks whether the class has a named query with the given query name.
  2856.      *
  2857.      * @param string $queryName
  2858.      *
  2859.      * @return bool
  2860.      */
  2861.     public function hasNamedQuery($queryName)
  2862.     {
  2863.         return isset($this->namedQueries[$queryName]);
  2864.     }
  2865.     /**
  2866.      * Checks whether the class has a named native query with the given query name.
  2867.      *
  2868.      * @param string $queryName
  2869.      *
  2870.      * @return bool
  2871.      */
  2872.     public function hasNamedNativeQuery($queryName)
  2873.     {
  2874.         return isset($this->namedNativeQueries[$queryName]);
  2875.     }
  2876.     /**
  2877.      * Checks whether the class has a named native query with the given query name.
  2878.      *
  2879.      * @param string $name
  2880.      *
  2881.      * @return bool
  2882.      */
  2883.     public function hasSqlResultSetMapping($name)
  2884.     {
  2885.         return isset($this->sqlResultSetMappings[$name]);
  2886.     }
  2887.     /**
  2888.      * {@inheritDoc}
  2889.      */
  2890.     public function hasAssociation($fieldName)
  2891.     {
  2892.         return isset($this->associationMappings[$fieldName]);
  2893.     }
  2894.     /**
  2895.      * {@inheritDoc}
  2896.      */
  2897.     public function isSingleValuedAssociation($fieldName)
  2898.     {
  2899.         return isset($this->associationMappings[$fieldName])
  2900.             && ($this->associationMappings[$fieldName]['type'] & self::TO_ONE);
  2901.     }
  2902.     /**
  2903.      * {@inheritDoc}
  2904.      */
  2905.     public function isCollectionValuedAssociation($fieldName)
  2906.     {
  2907.         return isset($this->associationMappings[$fieldName])
  2908.             && ! ($this->associationMappings[$fieldName]['type'] & self::TO_ONE);
  2909.     }
  2910.     /**
  2911.      * Is this an association that only has a single join column?
  2912.      *
  2913.      * @param string $fieldName
  2914.      *
  2915.      * @return bool
  2916.      */
  2917.     public function isAssociationWithSingleJoinColumn($fieldName)
  2918.     {
  2919.         return isset($this->associationMappings[$fieldName])
  2920.             && isset($this->associationMappings[$fieldName]['joinColumns'][0])
  2921.             && ! isset($this->associationMappings[$fieldName]['joinColumns'][1]);
  2922.     }
  2923.     /**
  2924.      * Returns the single association join column (if any).
  2925.      *
  2926.      * @param string $fieldName
  2927.      *
  2928.      * @return string
  2929.      *
  2930.      * @throws MappingException
  2931.      */
  2932.     public function getSingleAssociationJoinColumnName($fieldName)
  2933.     {
  2934.         if (! $this->isAssociationWithSingleJoinColumn($fieldName)) {
  2935.             throw MappingException::noSingleAssociationJoinColumnFound($this->name$fieldName);
  2936.         }
  2937.         return $this->associationMappings[$fieldName]['joinColumns'][0]['name'];
  2938.     }
  2939.     /**
  2940.      * Returns the single association referenced join column name (if any).
  2941.      *
  2942.      * @param string $fieldName
  2943.      *
  2944.      * @return string
  2945.      *
  2946.      * @throws MappingException
  2947.      */
  2948.     public function getSingleAssociationReferencedJoinColumnName($fieldName)
  2949.     {
  2950.         if (! $this->isAssociationWithSingleJoinColumn($fieldName)) {
  2951.             throw MappingException::noSingleAssociationJoinColumnFound($this->name$fieldName);
  2952.         }
  2953.         return $this->associationMappings[$fieldName]['joinColumns'][0]['referencedColumnName'];
  2954.     }
  2955.     /**
  2956.      * Used to retrieve a fieldname for either field or association from a given column.
  2957.      *
  2958.      * This method is used in foreign-key as primary-key contexts.
  2959.      *
  2960.      * @param string $columnName
  2961.      *
  2962.      * @return string
  2963.      *
  2964.      * @throws MappingException
  2965.      */
  2966.     public function getFieldForColumn($columnName)
  2967.     {
  2968.         if (isset($this->fieldNames[$columnName])) {
  2969.             return $this->fieldNames[$columnName];
  2970.         }
  2971.         foreach ($this->associationMappings as $assocName => $mapping) {
  2972.             if (
  2973.                 $this->isAssociationWithSingleJoinColumn($assocName) &&
  2974.                 $this->associationMappings[$assocName]['joinColumns'][0]['name'] === $columnName
  2975.             ) {
  2976.                 return $assocName;
  2977.             }
  2978.         }
  2979.         throw MappingException::noFieldNameFoundForColumn($this->name$columnName);
  2980.     }
  2981.     /**
  2982.      * Sets the ID generator used to generate IDs for instances of this class.
  2983.      *
  2984.      * @param AbstractIdGenerator $generator
  2985.      *
  2986.      * @return void
  2987.      */
  2988.     public function setIdGenerator($generator)
  2989.     {
  2990.         $this->idGenerator $generator;
  2991.     }
  2992.     /**
  2993.      * Sets definition.
  2994.      *
  2995.      * @psalm-param array<string, string|null> $definition
  2996.      *
  2997.      * @return void
  2998.      */
  2999.     public function setCustomGeneratorDefinition(array $definition)
  3000.     {
  3001.         $this->customGeneratorDefinition $definition;
  3002.     }
  3003.     /**
  3004.      * Sets the definition of the sequence ID generator for this class.
  3005.      *
  3006.      * The definition must have the following structure:
  3007.      * <code>
  3008.      * array(
  3009.      *     'sequenceName'   => 'name',
  3010.      *     'allocationSize' => 20,
  3011.      *     'initialValue'   => 1
  3012.      *     'quoted'         => 1
  3013.      * )
  3014.      * </code>
  3015.      *
  3016.      * @psalm-param array{sequenceName?: string, allocationSize?: int|string, initialValue?: int|string, quoted?: mixed} $definition
  3017.      *
  3018.      * @return void
  3019.      *
  3020.      * @throws MappingException
  3021.      */
  3022.     public function setSequenceGeneratorDefinition(array $definition)
  3023.     {
  3024.         if (! isset($definition['sequenceName']) || trim($definition['sequenceName']) === '') {
  3025.             throw MappingException::missingSequenceName($this->name);
  3026.         }
  3027.         if ($definition['sequenceName'][0] === '`') {
  3028.             $definition['sequenceName'] = trim($definition['sequenceName'], '`');
  3029.             $definition['quoted']       = true;
  3030.         }
  3031.         if (! isset($definition['allocationSize']) || trim((string) $definition['allocationSize']) === '') {
  3032.             $definition['allocationSize'] = '1';
  3033.         }
  3034.         if (! isset($definition['initialValue']) || trim((string) $definition['initialValue']) === '') {
  3035.             $definition['initialValue'] = '1';
  3036.         }
  3037.         $definition['allocationSize'] = (string) $definition['allocationSize'];
  3038.         $definition['initialValue']   = (string) $definition['initialValue'];
  3039.         $this->sequenceGeneratorDefinition $definition;
  3040.     }
  3041.     /**
  3042.      * Sets the version field mapping used for versioning. Sets the default
  3043.      * value to use depending on the column type.
  3044.      *
  3045.      * @psalm-param array<string, mixed> $mapping The version field mapping array.
  3046.      *
  3047.      * @return void
  3048.      *
  3049.      * @throws MappingException
  3050.      */
  3051.     public function setVersionMapping(array &$mapping)
  3052.     {
  3053.         $this->isVersioned              true;
  3054.         $this->versionField             $mapping['fieldName'];
  3055.         $this->requiresFetchAfterChange true;
  3056.         if (! isset($mapping['default'])) {
  3057.             if (in_array($mapping['type'], ['integer''bigint''smallint'], true)) {
  3058.                 $mapping['default'] = 1;
  3059.             } elseif ($mapping['type'] === 'datetime') {
  3060.                 $mapping['default'] = 'CURRENT_TIMESTAMP';
  3061.             } else {
  3062.                 throw MappingException::unsupportedOptimisticLockingType($this->name$mapping['fieldName'], $mapping['type']);
  3063.             }
  3064.         }
  3065.     }
  3066.     /**
  3067.      * Sets whether this class is to be versioned for optimistic locking.
  3068.      *
  3069.      * @param bool $bool
  3070.      *
  3071.      * @return void
  3072.      */
  3073.     public function setVersioned($bool)
  3074.     {
  3075.         $this->isVersioned $bool;
  3076.         if ($bool) {
  3077.             $this->requiresFetchAfterChange true;
  3078.         }
  3079.     }
  3080.     /**
  3081.      * Sets the name of the field that is to be used for versioning if this class is
  3082.      * versioned for optimistic locking.
  3083.      *
  3084.      * @param string $versionField
  3085.      *
  3086.      * @return void
  3087.      */
  3088.     public function setVersionField($versionField)
  3089.     {
  3090.         $this->versionField $versionField;
  3091.     }
  3092.     /**
  3093.      * Marks this class as read only, no change tracking is applied to it.
  3094.      *
  3095.      * @return void
  3096.      */
  3097.     public function markReadOnly()
  3098.     {
  3099.         $this->isReadOnly true;
  3100.     }
  3101.     /**
  3102.      * {@inheritDoc}
  3103.      */
  3104.     public function getFieldNames()
  3105.     {
  3106.         return array_keys($this->fieldMappings);
  3107.     }
  3108.     /**
  3109.      * {@inheritDoc}
  3110.      */
  3111.     public function getAssociationNames()
  3112.     {
  3113.         return array_keys($this->associationMappings);
  3114.     }
  3115.     /**
  3116.      * {@inheritDoc}
  3117.      *
  3118.      * @param string $assocName
  3119.      *
  3120.      * @return string
  3121.      * @psalm-return class-string
  3122.      *
  3123.      * @throws InvalidArgumentException
  3124.      */
  3125.     public function getAssociationTargetClass($assocName)
  3126.     {
  3127.         if (! isset($this->associationMappings[$assocName])) {
  3128.             throw new InvalidArgumentException("Association name expected, '" $assocName "' is not an association.");
  3129.         }
  3130.         return $this->associationMappings[$assocName]['targetEntity'];
  3131.     }
  3132.     /**
  3133.      * {@inheritDoc}
  3134.      */
  3135.     public function getName()
  3136.     {
  3137.         return $this->name;
  3138.     }
  3139.     /**
  3140.      * Gets the (possibly quoted) identifier column names for safe use in an SQL statement.
  3141.      *
  3142.      * @deprecated Deprecated since version 2.3 in favor of \Doctrine\ORM\Mapping\QuoteStrategy
  3143.      *
  3144.      * @param AbstractPlatform $platform
  3145.      *
  3146.      * @return string[]
  3147.      * @psalm-return list<string>
  3148.      */
  3149.     public function getQuotedIdentifierColumnNames($platform)
  3150.     {
  3151.         $quotedColumnNames = [];
  3152.         foreach ($this->identifier as $idProperty) {
  3153.             if (isset($this->fieldMappings[$idProperty])) {
  3154.                 $quotedColumnNames[] = isset($this->fieldMappings[$idProperty]['quoted'])
  3155.                     ? $platform->quoteIdentifier($this->fieldMappings[$idProperty]['columnName'])
  3156.                     : $this->fieldMappings[$idProperty]['columnName'];
  3157.                 continue;
  3158.             }
  3159.             // Association defined as Id field
  3160.             $joinColumns            $this->associationMappings[$idProperty]['joinColumns'];
  3161.             $assocQuotedColumnNames array_map(
  3162.                 static function ($joinColumn) use ($platform) {
  3163.                     return isset($joinColumn['quoted'])
  3164.                         ? $platform->quoteIdentifier($joinColumn['name'])
  3165.                         : $joinColumn['name'];
  3166.                 },
  3167.                 $joinColumns
  3168.             );
  3169.             $quotedColumnNames array_merge($quotedColumnNames$assocQuotedColumnNames);
  3170.         }
  3171.         return $quotedColumnNames;
  3172.     }
  3173.     /**
  3174.      * Gets the (possibly quoted) column name of a mapped field for safe use  in an SQL statement.
  3175.      *
  3176.      * @deprecated Deprecated since version 2.3 in favor of \Doctrine\ORM\Mapping\QuoteStrategy
  3177.      *
  3178.      * @param string           $field
  3179.      * @param AbstractPlatform $platform
  3180.      *
  3181.      * @return string
  3182.      */
  3183.     public function getQuotedColumnName($field$platform)
  3184.     {
  3185.         return isset($this->fieldMappings[$field]['quoted'])
  3186.             ? $platform->quoteIdentifier($this->fieldMappings[$field]['columnName'])
  3187.             : $this->fieldMappings[$field]['columnName'];
  3188.     }
  3189.     /**
  3190.      * Gets the (possibly quoted) primary table name of this class for safe use in an SQL statement.
  3191.      *
  3192.      * @deprecated Deprecated since version 2.3 in favor of \Doctrine\ORM\Mapping\QuoteStrategy
  3193.      *
  3194.      * @param AbstractPlatform $platform
  3195.      *
  3196.      * @return string
  3197.      */
  3198.     public function getQuotedTableName($platform)
  3199.     {
  3200.         return isset($this->table['quoted'])
  3201.             ? $platform->quoteIdentifier($this->table['name'])
  3202.             : $this->table['name'];
  3203.     }
  3204.     /**
  3205.      * Gets the (possibly quoted) name of the join table.
  3206.      *
  3207.      * @deprecated Deprecated since version 2.3 in favor of \Doctrine\ORM\Mapping\QuoteStrategy
  3208.      *
  3209.      * @param mixed[]          $assoc
  3210.      * @param AbstractPlatform $platform
  3211.      *
  3212.      * @return string
  3213.      */
  3214.     public function getQuotedJoinTableName(array $assoc$platform)
  3215.     {
  3216.         return isset($assoc['joinTable']['quoted'])
  3217.             ? $platform->quoteIdentifier($assoc['joinTable']['name'])
  3218.             : $assoc['joinTable']['name'];
  3219.     }
  3220.     /**
  3221.      * {@inheritDoc}
  3222.      */
  3223.     public function isAssociationInverseSide($fieldName)
  3224.     {
  3225.         return isset($this->associationMappings[$fieldName])
  3226.             && ! $this->associationMappings[$fieldName]['isOwningSide'];
  3227.     }
  3228.     /**
  3229.      * {@inheritDoc}
  3230.      */
  3231.     public function getAssociationMappedByTargetField($fieldName)
  3232.     {
  3233.         return $this->associationMappings[$fieldName]['mappedBy'];
  3234.     }
  3235.     /**
  3236.      * @param string $targetClass
  3237.      *
  3238.      * @return mixed[][]
  3239.      * @psalm-return array<string, array<string, mixed>>
  3240.      */
  3241.     public function getAssociationsByTargetClass($targetClass)
  3242.     {
  3243.         $relations = [];
  3244.         foreach ($this->associationMappings as $mapping) {
  3245.             if ($mapping['targetEntity'] === $targetClass) {
  3246.                 $relations[$mapping['fieldName']] = $mapping;
  3247.             }
  3248.         }
  3249.         return $relations;
  3250.     }
  3251.     /**
  3252.      * @param string|null $className
  3253.      * @psalm-param string|class-string|null $className
  3254.      *
  3255.      * @return string|null null if the input value is null
  3256.      * @psalm-return class-string|null
  3257.      */
  3258.     public function fullyQualifiedClassName($className)
  3259.     {
  3260.         if (empty($className)) {
  3261.             return $className;
  3262.         }
  3263.         if (! str_contains($className'\\') && $this->namespace) {
  3264.             return $this->namespace '\\' $className;
  3265.         }
  3266.         return $className;
  3267.     }
  3268.     /**
  3269.      * @param string $name
  3270.      *
  3271.      * @return mixed
  3272.      */
  3273.     public function getMetadataValue($name)
  3274.     {
  3275.         if (isset($this->$name)) {
  3276.             return $this->$name;
  3277.         }
  3278.         return null;
  3279.     }
  3280.     /**
  3281.      * Map Embedded Class
  3282.      *
  3283.      * @psalm-param array<string, mixed> $mapping
  3284.      *
  3285.      * @return void
  3286.      *
  3287.      * @throws MappingException
  3288.      */
  3289.     public function mapEmbedded(array $mapping)
  3290.     {
  3291.         $this->assertFieldNotMapped($mapping['fieldName']);
  3292.         if (! isset($mapping['class']) && $this->isTypedProperty($mapping['fieldName'])) {
  3293.             $type $this->reflClass->getProperty($mapping['fieldName'])->getType();
  3294.             if ($type instanceof ReflectionNamedType) {
  3295.                 $mapping['class'] = $type->getName();
  3296.             }
  3297.         }
  3298.         $this->embeddedClasses[$mapping['fieldName']] = [
  3299.             'class' => $this->fullyQualifiedClassName($mapping['class']),
  3300.             'columnPrefix' => $mapping['columnPrefix'] ?? null,
  3301.             'declaredField' => $mapping['declaredField'] ?? null,
  3302.             'originalField' => $mapping['originalField'] ?? null,
  3303.         ];
  3304.     }
  3305.     /**
  3306.      * Inline the embeddable class
  3307.      *
  3308.      * @param string $property
  3309.      *
  3310.      * @return void
  3311.      */
  3312.     public function inlineEmbeddable($propertyClassMetadataInfo $embeddable)
  3313.     {
  3314.         foreach ($embeddable->fieldMappings as $fieldMapping) {
  3315.             $fieldMapping['originalClass'] = $fieldMapping['originalClass'] ?? $embeddable->name;
  3316.             $fieldMapping['declaredField'] = isset($fieldMapping['declaredField'])
  3317.                 ? $property '.' $fieldMapping['declaredField']
  3318.                 : $property;
  3319.             $fieldMapping['originalField'] = $fieldMapping['originalField'] ?? $fieldMapping['fieldName'];
  3320.             $fieldMapping['fieldName']     = $property '.' $fieldMapping['fieldName'];
  3321.             if (! empty($this->embeddedClasses[$property]['columnPrefix'])) {
  3322.                 $fieldMapping['columnName'] = $this->embeddedClasses[$property]['columnPrefix'] . $fieldMapping['columnName'];
  3323.             } elseif ($this->embeddedClasses[$property]['columnPrefix'] !== false) {
  3324.                 $fieldMapping['columnName'] = $this->namingStrategy
  3325.                     ->embeddedFieldToColumnName(
  3326.                         $property,
  3327.                         $fieldMapping['columnName'],
  3328.                         $this->reflClass->name,
  3329.                         $embeddable->reflClass->name
  3330.                     );
  3331.             }
  3332.             $this->mapField($fieldMapping);
  3333.         }
  3334.     }
  3335.     /**
  3336.      * @throws MappingException
  3337.      */
  3338.     private function assertFieldNotMapped(string $fieldName): void
  3339.     {
  3340.         if (
  3341.             isset($this->fieldMappings[$fieldName]) ||
  3342.             isset($this->associationMappings[$fieldName]) ||
  3343.             isset($this->embeddedClasses[$fieldName])
  3344.         ) {
  3345.             throw MappingException::duplicateFieldMapping($this->name$fieldName);
  3346.         }
  3347.     }
  3348.     /**
  3349.      * Gets the sequence name based on class metadata.
  3350.      *
  3351.      * @return string
  3352.      *
  3353.      * @todo Sequence names should be computed in DBAL depending on the platform
  3354.      */
  3355.     public function getSequenceName(AbstractPlatform $platform)
  3356.     {
  3357.         $sequencePrefix $this->getSequencePrefix($platform);
  3358.         $columnName     $this->getSingleIdentifierColumnName();
  3359.         return $sequencePrefix '_' $columnName '_seq';
  3360.     }
  3361.     /**
  3362.      * Gets the sequence name prefix based on class metadata.
  3363.      *
  3364.      * @return string
  3365.      *
  3366.      * @todo Sequence names should be computed in DBAL depending on the platform
  3367.      */
  3368.     public function getSequencePrefix(AbstractPlatform $platform)
  3369.     {
  3370.         $tableName      $this->getTableName();
  3371.         $sequencePrefix $tableName;
  3372.         // Prepend the schema name to the table name if there is one
  3373.         $schemaName $this->getSchemaName();
  3374.         if ($schemaName) {
  3375.             $sequencePrefix $schemaName '.' $tableName;
  3376.             if (! $platform->supportsSchemas() && $platform->canEmulateSchemas()) {
  3377.                 $sequencePrefix $schemaName '__' $tableName;
  3378.             }
  3379.         }
  3380.         return $sequencePrefix;
  3381.     }
  3382.     /**
  3383.      * @psalm-param array<string, mixed> $mapping
  3384.      */
  3385.     private function assertMappingOrderBy(array $mapping): void
  3386.     {
  3387.         if (isset($mapping['orderBy']) && ! is_array($mapping['orderBy'])) {
  3388.             throw new InvalidArgumentException("'orderBy' is expected to be an array, not " gettype($mapping['orderBy']));
  3389.         }
  3390.     }
  3391.     /**
  3392.      * @psalm-param class-string $class
  3393.      */
  3394.     private function getAccessibleProperty(ReflectionService $reflServicestring $classstring $field): ?ReflectionProperty
  3395.     {
  3396.         $reflectionProperty $reflService->getAccessibleProperty($class$field);
  3397.         if ($reflectionProperty !== null && PHP_VERSION_ID >= 80100 && $reflectionProperty->isReadOnly()) {
  3398.             $reflectionProperty = new ReflectionReadonlyProperty($reflectionProperty);
  3399.         }
  3400.         return $reflectionProperty;
  3401.     }
  3402. }