这是我关于 SO 的第一个问题,尽管我已经进行了大量搜索;如果这已经被触及,我很抱歉。
问题/问题与 PHP 的 serialize() 功能有关。我正在使用序列化将对象存储在数据库中。例如:
class Something {
public $text = "Hello World";
}
class First {
var $MySomething;
public function __construct() {
$this->MySomething = new Something();
}
}
$first_obj = new First();
$string_to_store = serialize($first_obj);
echo $string_to_store
// Result: O:5:"First":1:{s:11:"MySomething";O:9:"Something":1:{s:4:"text";s:11:"Hello World";}}
现在,在项目生命的后期,我想修改我的类,首先,拥有一个新属性:$SomethingElse,它也将对应于 Something 对象。
问题是,对于我的旧/现有对象,当我反序列化到我的 First 类的新版本时,似乎初始化新属性 (SomethingElse) 的唯一方法是在 __wakeup() 方法中查找它。在这种情况下,我需要在那里记录任何新属性。这个对吗?属性需要像在构造函数中一样对待,设置它们的初始值(最终复制代码)。
我发现如果我在声明它时初始化变量,那么它将被反序列化拾取,例如,如果我将Something类更改为:
class Something {
public $text = "Hello World";
public $new_text = "I would be in the unserialized old version.";
}
...
$obj = unserialize('O:5:"First":1:{s:11:"MySomething";O:9:"Something":1:{s:4:"text";s:11:"Hello World";}}');
print_r($obj);
// Result: First Object ( [MySomething] => Something Object ( [text] => Hello World [new_text] => I would be in the unserialized old version. ) )
但是在声明对象时不能初始化对象的新属性,必须在构造函数中完成(和 __wakeup()?)。
我希望我解释得足够好。我想知道是否有一些我遗漏的编程模式,或者是否在 __wakeup() 中复制初始化代码(或引用 init 方法)是典型的,或者我是否只需要准备将旧对象迁移到新版本通过。迁移脚本。
谢谢。
更新:在考虑到目前为止评论者所说的内容时,我想我会使用 init() 方法发布更新后的 First 类:
class Something {
public $text = "Hello World2";
public $new_text = "I would be in the unserialized old version.2";
}
class First {
var $MySomething;
var $SomethingElse;
public function __construct() {
$this->init();
}
public function __wakeup() {
$this->init();
}
private function init() {
if (!isset($this->MySomething)) {
$this->MySomething = new Something();
}
if (!isset($this->SomethingElse)) {
$this->SomethingElse = new Something();
}
}
}
$new_obj = unserialize('O:5:"First":1:{s:11:"MySomething";O:9:"Something":1:{s:4:"text";s:11:"Hello World";}}');
print_r($new_obj);
// Result: First Object ( [MySomething] => Something Object ( [text] => Hello World [new_text] => I would be in the unserialized old version.2 ) [SomethingElse] => Something Object ( [text] => Hello World2 [new_text] => I would be in the unserialized old version.2 ) )
所以我真的不确定,因为这对我来说似乎是一个可行的模式。随着类获得新属性,它们在第一次恢复时采用默认值。