Passed
Pull Request — master (#41)
by Thomas
02:54
created

Entity::getPrimaryKey()   A

Complexity

Conditions 3
Paths 3

Size

Total Lines 12
Code Lines 8

Duplication

Lines 0
Ratio 0 %

Code Coverage

Tests 8
CRAP Score 3

Importance

Changes 0
Metric Value
c 0
b 0
f 0
dl 0
loc 12
ccs 8
cts 8
cp 1
rs 9.4285
cc 3
eloc 8
nc 3
nop 0
crap 3
1
<?php
2
3
namespace ORM;
4
5
use ORM\Dbal\Column;
6
use ORM\Exception\IncompletePrimaryKey;
7
use ORM\Exception\InvalidConfiguration;
8
use ORM\Exception\InvalidRelation;
9
use ORM\Exception\InvalidName;
10
use ORM\Exception\NoEntityManager;
11
use ORM\Exception\UndefinedRelation;
12
use ORM\Dbal\Error;
13
use ORM\Dbal\Table;
14
use ORM\EntityManager as EM;
15
use ORM\Exception\UnknownColumn;
16
17
/**
18
 * Definition of an entity
19
 *
20
 * The instance of an entity represents a row of the table and the statics variables and methods describe the database
21
 * table.
22
 *
23
 * This is the main part where your configuration efforts go. The following properties and methods are well documented
24
 * in the manual under [https://tflori.github.io/orm/entityDefinition.html](Entity Definition).
25
 *
26
 * @package ORM
27
 * @link https://tflori.github.io/orm/entityDefinition.html Entity Definition
28
 * @author Thomas Flori <[email protected]>
29
 */
30
abstract class Entity implements \Serializable
31
{
32
    /** @deprecated Use Relation::OPT_CLASS instead */
33
    const OPT_RELATION_CLASS       = 'class';
34
    /** @deprecated Use Relation::OPT_CARDINALITY instead */
35
    const OPT_RELATION_CARDINALITY = 'cardinality';
36
    /** @deprecated Use Relation::OPT_REFERENCE instead */
37
    const OPT_RELATION_REFERENCE   = 'reference';
38
    /** @deprecated Use Relation::OPT_OPPONENT instead */
39
    const OPT_RELATION_OPPONENT    = 'opponent';
40
    /** @deprecated Use Relation::OPT_TABLE instead */
41
    const OPT_RELATION_TABLE       = 'table';
42
43
    /** The template to use to calculate the table name.
44
     * @var string */
45
    protected static $tableNameTemplate;
46
47
    /** The naming scheme to use for table names.
48
     * @var string */
49
    protected static $namingSchemeTable;
50
51
    /** The naming scheme to use for column names.
52
     * @var string */
53
    protected static $namingSchemeColumn;
54
55
    /** The naming scheme to use for method names.
56
     * @var string */
57
    protected static $namingSchemeMethods;
58
59
    /** Fixed table name (ignore other settings)
60
     * @var string */
61
    protected static $tableName;
62
63
    /** The variable(s) used for primary key.
64
     * @var string[]|string */
65
    protected static $primaryKey = ['id'];
66
67
    /** Fixed column names (ignore other settings)
68
     * @var string[] */
69
    protected static $columnAliases = [];
70
71
    /** A prefix for column names.
72
     * @var string */
73
    protected static $columnPrefix;
74
75
    /** Whether or not the primary key is auto incremented.
76
     * @var bool */
77
    protected static $autoIncrement = true;
78
79
    /** Whether or not the validator for this class is enabled.
80
     * @var bool */
81
    protected static $enableValidator = false;
82
83
    /** Whether or not the validator for a class got enabled during runtime.
84
     * @var bool[] */
85
    protected static $enabledValidators = [];
86
87
    /** Relation definitions
88
     * @var array */
89
    protected static $relations = [];
90
91
    /** The reflections of the classes.
92
     * @internal
93
     * @var \ReflectionClass[] */
94
    protected static $reflections = [];
95
96
    /** The current data of a row.
97
     * @var mixed[] */
98
    protected $data = [];
99
100
    /** The original data of the row.
101
     * @var mixed[] */
102
    protected $originalData = [];
103
104
    /** The entity manager from which this entity got created
105
     * @var EM */
106
    protected $entityManager;
107
108
    /** Related objects for getRelated
109
     * @var array */
110
    protected $relatedObjects = [];
111
112
    /**
113
     * Constructor
114
     *
115
     * It calls ::onInit() after initializing $data and $originalData.
116
     *
117
     * @param mixed[] $data The current data
118
     * @param EM $entityManager The EntityManager that created this entity
119
     * @param bool $fromDatabase Whether or not the data comes from database
120
     */
121 114
    final public function __construct(array $data = [], EM $entityManager = null, $fromDatabase = false)
122
    {
123 114
        if ($fromDatabase) {
124 14
            $this->originalData = $data;
125
        }
126 114
        $this->data = array_merge($this->data, $data);
127 114
        $this->entityManager = $entityManager ?: EM::getInstance(static::class);
128 114
        $this->onInit(!$fromDatabase);
129 114
    }
130
131
    /**
132
     * Get a description for this table.
133
     *
134
     * @return Table|Column[]
135
     * @codeCoverageIgnore This is just a proxy
136
     */
137
    public static function describe()
138
    {
139
        return EM::getInstance(static::class)->describe(static::getTableName());
140
    }
141
142
    /**
143
     * Get the column name of $attribute
144
     *
145
     * The column names can not be specified by template. Instead they are constructed by $columnPrefix and enforced
146
     * to $namingSchemeColumn.
147
     *
148
     * **ATTENTION**: If your overwrite this method remember that getColumnName(getColumnName($name)) have to be exactly
149
     * the same as getColumnName($name).
150
     *
151
     * @param string $attribute
152
     * @return string
153
     * @throws InvalidConfiguration
154
     */
155 146
    public static function getColumnName($attribute)
156
    {
157 146
        if (isset(static::$columnAliases[$attribute])) {
158 6
            return static::$columnAliases[$attribute];
159
        }
160
161 144
        return EM::getInstance(static::class)->getNamer()
162 144
            ->getColumnName(static::class, $attribute, static::$columnPrefix, static::$namingSchemeColumn);
163
    }
164
165
    /**
166
     * Get the primary key vars
167
     *
168
     * The primary key can consist of multiple columns. You should configure the vars that are translated to these
169
     * columns.
170
     *
171
     * @return array
172
     */
173 56
    public static function getPrimaryKeyVars()
174
    {
175 56
        return !is_array(static::$primaryKey) ? [static::$primaryKey] : static::$primaryKey;
176
    }
177
178
    /**
179
     * Get the definition for $relation
180
     *
181
     * It normalize the short definition form and create a Relation object from it.
182
     *
183
     * @param string $relation
184
     * @return Relation
185
     * @throws InvalidConfiguration
186
     * @throws UndefinedRelation
187
     */
188 85
    public static function getRelation($relation)
189
    {
190 85
        if (!isset(static::$relations[$relation])) {
191 3
            throw new UndefinedRelation('Relation ' . $relation . ' is not defined');
192
        }
193
194 84
        $relDef = &static::$relations[$relation];
195
196 84
        if (!$relDef instanceof Relation) {
197 15
            $relDef = Relation::createRelation($relation, $relDef);
198
        }
199
200 83
        return $relDef;
201
    }
202
203
    /**
204
     * Get the table name
205
     *
206
     * The table name is constructed by $tableNameTemplate and $namingSchemeTable. It can be overwritten by
207
     * $tableName.
208
     *
209
     * @return string
210
     * @throws InvalidName|InvalidConfiguration
211
     */
212 147
    public static function getTableName()
213
    {
214 147
        if (static::$tableName) {
215 11
            return static::$tableName;
216
        }
217
218 136
        return EM::getInstance(static::class)->getNamer()
219 136
            ->getTableName(static::class, static::$tableNameTemplate, static::$namingSchemeTable);
220
    }
221
222
    /**
223
     * Check if the table has a auto increment column
224
     *
225
     * @return bool
226
     */
227 14
    public static function isAutoIncremented()
228
    {
229 14
        return count(static::getPrimaryKeyVars()) > 1 ? false : static::$autoIncrement;
230
    }
231
232
    /**
233
     * Check if the validator is enabled
234
     *
235
     * @return bool
236
     */
237 27
    public static function isValidatorEnabled()
238
    {
239 27
        return isset(self::$enabledValidators[static::class]) ?
240 27
            self::$enabledValidators[static::class] : static::$enableValidator;
241
    }
242
243
    /**
244
     * Enable validator
245
     *
246
     * @param bool $enable
247
     */
248 8
    public static function enableValidator($enable = true)
249
    {
250 8
        self::$enabledValidators[static::class] = $enable;
251 8
    }
252
253
    /**
254
     * Disable validator
255
     *
256
     * @param bool $disable
257
     */
258 1
    public static function disableValidator($disable = true)
259
    {
260 1
        self::$enabledValidators[static::class] = !$disable;
261 1
    }
262
263
    /**
264
     * Validate $value for $attribute
265
     *
266
     * @param string $attribute
267
     * @param mixed $value
268
     * @return bool|Error
269
     * @throws Exception
270
     */
271 10
    public static function validate($attribute, $value)
272
    {
273 10
        return static::describe()->validate(static::getColumnName($attribute), $value);
274
    }
275
276
    /**
277
     * Validate $data
278
     *
279
     * $data has to be an array of $attribute => $value
280
     *
281
     * @param array $data
282
     * @return array
283
     */
284 1
    public static function validateArray(array $data)
285
    {
286 1
        $result = $data;
287 1
        foreach ($result as $attribute => &$value) {
288 1
            $value = static::validate($attribute, $value);
289
        }
290 1
        return $result;
291
    }
292
293
    /**
294
     * @param EM $entityManager
295
     * @return self
296
     */
297 2
    public function setEntityManager(EM $entityManager)
298
    {
299 2
        $this->entityManager = $entityManager;
300 2
        return $this;
301
    }
302
303
    /**
304
     * Get the value from $attribute
305
     *
306
     * If there is a custom getter this method get called instead.
307
     *
308
     * @param string $attribute The variable to get
309
     * @return mixed|null
310
     * @throws IncompletePrimaryKey
311
     * @throws InvalidConfiguration
312
     * @link https://tflori.github.io/orm/entities.html Working with entities
313
     */
314 91
    public function __get($attribute)
315
    {
316 91
        $em = EM::getInstance(static::class);
317 91
        $getter = $em->getNamer()->getMethodName('get' . ucfirst($attribute), self::$namingSchemeMethods);
318
319 91
        if (method_exists($this, $getter) && is_callable([$this, $getter])) {
320 4
            return $this->$getter();
321
        } else {
322 87
            $col = static::getColumnName($attribute);
323 87
            $result = isset($this->data[$col]) ? $this->data[$col] : null;
324
325 87
            if (!$result && isset(static::$relations[$attribute]) && isset($this->entityManager)) {
326 1
                return $this->getRelated($attribute);
327
            }
328
329 86
            return $result;
330
        }
331
    }
332
333
    /**
334
     * Set $attribute to $value
335
     *
336
     * Tries to call custom setter before it stores the data directly. If there is a setter the setter needs to store
337
     * data that should be updated in the database to $data. Do not store data in $originalData as it will not be
338
     * written and give wrong results for dirty checking.
339
     *
340
     * The onChange event is called after something got changed.
341
     *
342
     * The method throws an error when the validation fails (also when the column does not exist).
343
     *
344
     * @param string $attribute The variable to change
345
     * @param mixed  $value     The value to store
346
     * @throws Error
347
     * @link https://tflori.github.io/orm/entities.html Working with entities
348
     */
349 26
    public function __set($attribute, $value)
350
    {
351 26
        $col = $this->getColumnName($attribute);
352
353 26
        $em = EM::getInstance(static::class);
354 26
        $setter = $em->getNamer()->getMethodName('set' . ucfirst($attribute), self::$namingSchemeMethods);
355
356 26
        if (method_exists($this, $setter) && is_callable([$this, $setter])) {
357 3
            $oldValue = $this->__get($attribute);
358 3
            $md5OldData = md5(serialize($this->data));
359 3
            $this->$setter($value);
360 3
            $changed = $md5OldData !== md5(serialize($this->data));
361
        } else {
362 23
            if (static::isValidatorEnabled() &&
363 23
                ($error = static::validate($attribute, $value)) instanceof Error
364
            ) {
365 1
                throw $error;
366
            }
367
368 19
            $oldValue = $this->__get($attribute);
369 19
            $changed = (isset($this->data[$col]) ? $this->data[$col] : null) !== $value;
370 19
            $this->data[$col] = $value;
371
        }
372
373 22
        if ($changed) {
374 19
            $this->onChange($attribute, $oldValue, $this->__get($attribute));
375
        }
376 22
    }
377
378
    /**
379
     * Fill the entity with $data
380
     *
381
     * When $checkMissing is set to true it also proves that the absent columns are nullable.
382
     *
383
     * @param array $data
384
     * @param bool  $ignoreUnknown
385
     * @param bool  $checkMissing
386
     * @throws Error
387
     * @throws UnknownColumn
388
     */
389 4
    public function fill(array $data, $ignoreUnknown = false, $checkMissing = false)
390
    {
391 4
        foreach ($data as $attribute => $value) {
392
            try {
393 4
                $this->__set($attribute, $value);
394 2
            } catch (UnknownColumn $e) {
395 2
                if (!$ignoreUnknown) {
396 4
                    throw $e;
397
                }
398
            }
399
        }
400 3
        if ($checkMissing) {
401 1
            $presentColumns = array_map([static::class, 'getColumnName'], array_keys($data));
402 1
            foreach (static::describe() as $column) {
403 1
                if (!in_array($column->name, $presentColumns) &&
404 1
                    ($error = static::validate($column->name, null)) instanceof Error
405
                ) {
406 1
                    throw $error;
407
                }
408
            }
409
        }
410 2
    }
411
412
    /**
413
     * Get related objects
414
     *
415
     * The difference between getRelated and fetch is that getRelated stores the fetched entities. To refresh set
416
     * $refresh to true.
417
     *
418
     * @param string $relation
419
     * @param bool   $refresh
420
     * @return mixed
421
     * @throws Exception\NoConnection
422
     * @throws Exception\NoEntity
423
     * @throws IncompletePrimaryKey
424
     * @throws InvalidConfiguration
425
     * @throws NoEntityManager
426
     * @throws UndefinedRelation
427
     */
428 11
    public function getRelated($relation, $refresh = false)
429
    {
430 11
        if ($refresh || !isset($this->relatedObjects[$relation])) {
431 9
            $this->relatedObjects[$relation] = $this->fetch($relation, true);
432
        }
433
434 11
        return $this->relatedObjects[$relation];
435
    }
436
437
    /**
438
     * Set $relation to $entity
439
     *
440
     * This method is only for the owner of a relation.
441
     *
442
     * @param string $relation
443
     * @param Entity $entity
444
     * @throws IncompletePrimaryKey
445
     * @throws InvalidRelation
446
     */
447 7
    public function setRelated($relation, Entity $entity = null)
448
    {
449 7
        $this::getRelation($relation)->setRelated($this, $entity);
450
451 4
        $this->relatedObjects[$relation] = $entity;
452 4
    }
453
454
    /**
455
     * Add relations for $relation to $entities
456
     *
457
     * This method is only for many-to-many relations.
458
     *
459
     * This method does not take care about already existing relations and will fail hard.
460
     *
461
     * @param string        $relation
462
     * @param Entity[]      $entities
463
     * @throws NoEntityManager
464
     */
465 8
    public function addRelated($relation, array $entities)
466
    {
467
        // @codeCoverageIgnoreStart
468
        if (func_num_args() === 3 && func_get_arg(2) instanceof EM) {
469
            trigger_error(
470
                'Passing EntityManager to addRelated is deprecated. Use ->setEntityManager() to overwrite',
471
                E_USER_DEPRECATED
472
            );
473
        }
474
        // @codeCoverageIgnoreEnd
475
476 8
        $this::getRelation($relation)->addRelated($this, $entities, $this->entityManager);
477 4
    }
478
479
    /**
480
     * Delete relations for $relation to $entities
481
     *
482
     * This method is only for many-to-many relations.
483
     *
484
     * @param string        $relation
485
     * @param Entity[]      $entities
486
     * @throws NoEntityManager
487
     */
488 8
    public function deleteRelated($relation, $entities)
489
    {
490
        // @codeCoverageIgnoreStart
491
        if (func_num_args() === 3 && func_get_arg(2) instanceof EM) {
492
            trigger_error(
493
                'Passing EntityManager to deleteRelated is deprecated. Use ->setEntityManager() to overwrite',
494
                E_USER_DEPRECATED
495
            );
496
        }
497
        // @codeCoverageIgnoreEnd
498
499 8
        $this::getRelation($relation)->deleteRelated($this, $entities, $this->entityManager);
500 4
    }
501
502
    /**
503
     * Resets the entity or $attribute to original data
504
     *
505
     * @param string $attribute Reset only this variable or all variables
506
     * @throws InvalidConfiguration
507
     */
508 8
    public function reset($attribute = null)
509
    {
510 8
        if (!empty($attribute)) {
511 3
            $col = static::getColumnName($attribute);
512 3
            if (isset($this->originalData[$col])) {
513 2
                $this->data[$col] = $this->originalData[$col];
514
            } else {
515 1
                unset($this->data[$col]);
516
            }
517 3
            return;
518
        }
519
520 5
        $this->data = $this->originalData;
521 5
    }
522
523
    /**
524
     * Save the entity to EntityManager
525
     *
526
     * @return Entity
527
     * @throws Exception\NoConnection
528
     * @throws Exception\NoEntity
529
     * @throws Exception\NotScalar
530
     * @throws Exception\UnsupportedDriver
531
     * @throws IncompletePrimaryKey
532
     * @throws InvalidConfiguration
533
     * @throws InvalidName
534
     * @throws NoEntityManager
535
     */
536 12
    public function save()
537
    {
538
        // @codeCoverageIgnoreStart
539
        if (func_num_args() === 1 && func_get_arg(0) instanceof EM) {
540
            trigger_error(
541
                'Passing EntityManager to save is deprecated. Use ->setEntityManager() to overwrite',
542
                E_USER_DEPRECATED
543
            );
544
        }
545
        // @codeCoverageIgnoreEnd
546
547 12
        $inserted = false;
548 12
        $updated = false;
549
550
        try {
551
            // this may throw if the primary key is auto incremented but we using this to omit duplicated code
552 12
            if (!$this->entityManager->sync($this)) {
553 2
                $this->entityManager->insert($this, false);
554 2
                $inserted = true;
555 5
            } elseif ($this->isDirty()) {
556 4
                $this->preUpdate();
557 4
                $this->entityManager->update($this);
558 7
                $updated = true;
559
            }
560 5
        } catch (IncompletePrimaryKey $e) {
561 5
            if (static::isAutoIncremented()) {
562 4
                $this->prePersist();
563 4
                $id = $this->entityManager->insert($this);
564 4
                $this->data[static::getColumnName(static::getPrimaryKeyVars()[0])] = $id;
565 4
                $inserted = true;
566
            } else {
567 1
                throw $e;
568
            }
569
        }
570
571 11
        if ($inserted || $updated) {
572 10
            $inserted && $this->postPersist();
573 10
            $updated && $this->postUpdate();
574 10
            $this->entityManager->sync($this, true);
575
        }
576
577 11
        return $this;
578
    }
579
580
    /**
581
     * Checks if entity or $attribute got changed
582
     *
583
     * @param string $attribute Check only this variable or all variables
584
     * @return bool
585
     * @throws InvalidConfiguration
586
     */
587 18
    public function isDirty($attribute = null)
588
    {
589 18
        if (!empty($attribute)) {
590 4
            $col = static::getColumnName($attribute);
591 4
            return (isset($this->data[$col]) ? $this->data[$col] : null) !==
592 4
                   (isset($this->originalData[$col]) ? $this->originalData[$col] : null);
593
        }
594
595 15
        ksort($this->data);
596 15
        ksort($this->originalData);
597
598 15
        return serialize($this->data) !== serialize($this->originalData);
599
    }
600
601
    /**
602
     * Empty event handler
603
     *
604
     * Get called when something is changed with magic setter.
605
     *
606
     * @param string $attribute The variable that got changed.merge(node.inheritedProperties)
607
     * @param mixed  $oldValue The old value of the variable
608
     * @param mixed  $value The new value of the variable
609
     */
610 6
    public function onChange($attribute, $oldValue, $value)
3 ignored issues
show
Unused Code introduced by
The parameter $attribute is not used and could be removed.

This check looks from parameters that have been defined for a function or method, but which are not used in the method body.

Loading history...
Unused Code introduced by
The parameter $oldValue is not used and could be removed.

This check looks from parameters that have been defined for a function or method, but which are not used in the method body.

Loading history...
Unused Code introduced by
The parameter $value is not used and could be removed.

This check looks from parameters that have been defined for a function or method, but which are not used in the method body.

Loading history...
611
    {
612 6
    }
613
614
    /**
615
     * Empty event handler
616
     *
617
     * Get called when the entity get initialized.
618
     *
619
     * @param bool $new Whether or not the entity is new or from database
620
     */
621 113
    public function onInit($new)
622
    {
623 113
    }
624
625
    /**
626
     * Empty event handler
627
     *
628
     * Get called before the entity get updated in database.
629
     */
630 3
    public function preUpdate()
631
    {
632 3
    }
633
634
    /**
635
     * Empty event handler
636
     *
637
     * Get called before the entity get inserted in database.
638
     */
639 3
    public function prePersist()
640
    {
641 3
    }
642
643
644
    // DEPRECATED stuff
645
646
    /**
647
     * Empty event handler
648
     *
649
     * Get called after the entity got inserted in database.
650
     */
651 5
    public function postPersist()
652
    {
653 5
    }
654
655
    /**
656
     * Empty event handler
657
     *
658
     * Get called after the entity got updated in database.
659
     */
660 3
    public function postUpdate()
661
    {
662 3
    }
663
664
    /**
665
     * Fetches related objects
666
     *
667
     * For relations with cardinality many it returns an EntityFetcher. Otherwise it returns the entity.
668
     *
669
     * It will throw an error for non owner when the key is incomplete.
670
     *
671
     * @param string        $relation      The relation to fetch
672
     * @param bool          $getAll
673
     * @return Entity|Entity[]|EntityFetcher
674
     * @throws NoEntityManager
675
     */
676 19
    public function fetch($relation, $getAll = false)
677
    {
678
        // @codeCoverageIgnoreStart
679
        if ($getAll instanceof EM || func_num_args() === 3 && $getAll === null) {
680
            $getAll = func_num_args() === 3 ? func_get_arg(2) : false;
681
            trigger_error(
682
                'Passing EntityManager to fetch is deprecated. Use ->setEntityManager() to overwrite',
683
                E_USER_DEPRECATED
684
            );
685
        }
686
        // @codeCoverageIgnoreEnd
687
688 19
        $relation = $this::getRelation($relation);
689
690 19
        if ($getAll) {
691 4
            return $relation->fetchAll($this, $this->entityManager);
692
        } else {
693 15
            return $relation->fetch($this, $this->entityManager);
694
        }
695
    }
696
697
    /**
698
     * Get the primary key
699
     *
700
     * @return array
701
     * @throws IncompletePrimaryKey
702
     */
703 38
    public function getPrimaryKey()
704
    {
705 38
        $primaryKey = [];
706 38
        foreach (static::getPrimaryKeyVars() as $attribute) {
707 38
            $value = $this->$attribute;
708 38
            if ($value === null) {
709 4
                throw new IncompletePrimaryKey('Incomplete primary key - missing ' . $attribute);
710
            }
711 36
            $primaryKey[$attribute] = $value;
712
        }
713 34
        return $primaryKey;
714
    }
715
716
    /**
717
     * Get current data
718
     *
719
     * @return array
720
     * @internal
721
     */
722 20
    public function getData()
723
    {
724 20
        return $this->data;
725
    }
726
727
    /**
728
     * Set new original data
729
     *
730
     * @param array $data
731
     * @internal
732
     */
733 18
    public function setOriginalData(array $data)
734
    {
735 18
        $this->originalData = $data;
736 18
    }
737
738
    /**
739
     * String representation of data
740
     *
741
     * @link http://php.net/manual/en/serializable.serialize.php
742
     * @return string
743
     */
744 2
    public function serialize()
745
    {
746 2
        return serialize([$this->data, $this->relatedObjects]);
747
    }
748
749
    /**
750
     * Constructs the object
751
     *
752
     * @link http://php.net/manual/en/serializable.unserialize.php
753
     * @param string $serialized The string representation of data
754
     */
755 3
    public function unserialize($serialized)
756
    {
757 3
        list($this->data, $this->relatedObjects) = unserialize($serialized);
758 3
        $this->entityManager = EM::getInstance(static::class);
759 3
        $this->onInit(false);
760 3
    }
761
762
    /**
763
     * @return string
764
     * @deprecated use getOption from EntityManager
765
     * @codeCoverageIgnore deprecated
766
     */
767
    public static function getTableNameTemplate()
768
    {
769
        return static::$tableNameTemplate;
770
    }
771
772
    /**
773
     * @param string $tableNameTemplate
774
     * @deprecated use setOption from EntityManager
775
     * @codeCoverageIgnore deprecated
776
     */
777
    public static function setTableNameTemplate($tableNameTemplate)
778
    {
779
        static::$tableNameTemplate = $tableNameTemplate;
780
    }
781
782
    /**
783
     * @return string
784
     * @deprecated use getOption from EntityManager
785
     * @codeCoverageIgnore deprecated
786
     */
787
    public static function getNamingSchemeTable()
788
    {
789
        return static::$namingSchemeTable;
790
    }
791
792
    /**
793
     * @param string $namingSchemeTable
794
     * @deprecated use setOption from EntityManager
795
     * @codeCoverageIgnore deprecated
796
     */
797
    public static function setNamingSchemeTable($namingSchemeTable)
798
    {
799
        static::$namingSchemeTable = $namingSchemeTable;
800
    }
801
802
    /**
803
     * @return string
804
     * @deprecated use getOption from EntityManager
805
     * @codeCoverageIgnore deprecated
806
     */
807
    public static function getNamingSchemeColumn()
808
    {
809
        return static::$namingSchemeColumn;
810
    }
811
812
    /**
813
     * @param string $namingSchemeColumn
814
     * @deprecated use setOption from EntityManager
815
     * @codeCoverageIgnore deprecated
816
     */
817
    public static function setNamingSchemeColumn($namingSchemeColumn)
818
    {
819
        static::$namingSchemeColumn = $namingSchemeColumn;
820
    }
821
822
    /**
823
     * @return string
824
     * @deprecated use getOption from EntityManager
825
     * @codeCoverageIgnore deprecated
826
     */
827
    public static function getNamingSchemeMethods()
828
    {
829
        return static::$namingSchemeMethods;
830
    }
831
832
    /**
833
     * @param string $namingSchemeMethods
834
     * @deprecated use setOption from EntityManager
835
     * @codeCoverageIgnore deprecated
836
     */
837
    public static function setNamingSchemeMethods($namingSchemeMethods)
838
    {
839
        static::$namingSchemeMethods = $namingSchemeMethods;
840
    }
841
}
842