blob: 3e4950a6a96d8df1d094695569936bd968624bb7 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
|
<?php
declare(strict_types=1);
namespace Doctrine\DBAL\Schema;
/**
* Represents the change of a column.
*/
class ColumnDiff
{
/** @internal The diff can be only instantiated by a {@see Comparator}. */
public function __construct(private readonly Column $oldColumn, private readonly Column $newColumn)
{
}
public function getOldColumn(): Column
{
return $this->oldColumn;
}
public function getNewColumn(): Column
{
return $this->newColumn;
}
public function hasTypeChanged(): bool
{
return $this->newColumn->getType()::class !== $this->oldColumn->getType()::class;
}
public function hasLengthChanged(): bool
{
return $this->hasPropertyChanged(static function (Column $column): ?int {
return $column->getLength();
});
}
public function hasPrecisionChanged(): bool
{
return $this->hasPropertyChanged(static function (Column $column): ?int {
return $column->getPrecision();
});
}
public function hasScaleChanged(): bool
{
return $this->hasPropertyChanged(static function (Column $column): int {
return $column->getScale();
});
}
public function hasUnsignedChanged(): bool
{
return $this->hasPropertyChanged(static function (Column $column): bool {
return $column->getUnsigned();
});
}
public function hasFixedChanged(): bool
{
return $this->hasPropertyChanged(static function (Column $column): bool {
return $column->getFixed();
});
}
public function hasNotNullChanged(): bool
{
return $this->hasPropertyChanged(static function (Column $column): bool {
return $column->getNotnull();
});
}
public function hasDefaultChanged(): bool
{
$oldDefault = $this->oldColumn->getDefault();
$newDefault = $this->newColumn->getDefault();
// Null values need to be checked additionally as they tell whether to create or drop a default value.
// null != 0, null != false, null != '' etc. This affects platform's table alteration SQL generation.
if (($newDefault === null) xor ($oldDefault === null)) {
return true;
}
return $newDefault != $oldDefault;
}
public function hasAutoIncrementChanged(): bool
{
return $this->hasPropertyChanged(static function (Column $column): bool {
return $column->getAutoincrement();
});
}
public function hasCommentChanged(): bool
{
return $this->hasPropertyChanged(static function (Column $column): string {
return $column->getComment();
});
}
private function hasPropertyChanged(callable $property): bool
{
return $property($this->newColumn) !== $property($this->oldColumn);
}
}
|