因此,当我偶然发现新的JsonSerializable Interface时,我在php.net上闲逛以获取有关将 PHP 对象序列化为 JSON 的信息。虽然它只是PHP >= 5.4,但我在 5.3.x 环境中运行。
这种功能是如何实现PHP < 5.4的?
我还没有对 JSON 进行过多的工作,但我正在尝试在应用程序中支持 API 层,并且将数据对象(否则将被发送到视图)转储到 JSON 中将是完美的。
如果我尝试直接序列化对象,它会返回一个空的 JSON 字符串;这是因为我假设json_encode()
不知道该怎么处理这个对象。我是否应该递归地将对象简化为数组,然后对其进行编码?
例子
$data = new Mf_Data();
$data->foo->bar['hello'] = 'world';
echo json_encode($data)
产生一个空对象:
{}
var_dump($data)
但是,按预期工作:
object(Mf_Data)#1 (5) {
["_values":"Mf_Data":private]=>
array(0) {
}
["_children":"Mf_Data":private]=>
array(1) {
[0]=>
array(1) {
["foo"]=>
object(Mf_Data)#2 (5) {
["_values":"Mf_Data":private]=>
array(0) {
}
["_children":"Mf_Data":private]=>
array(1) {
[0]=>
array(1) {
["bar"]=>
object(Mf_Data)#3 (5) {
["_values":"Mf_Data":private]=>
array(1) {
[0]=>
array(1) {
["hello"]=>
string(5) "world"
}
}
["_children":"Mf_Data":private]=>
array(0) {
}
["_parent":"Mf_Data":private]=>
*RECURSION*
["_key":"Mf_Data":private]=>
string(3) "bar"
["_index":"Mf_Data":private]=>
int(0)
}
}
}
["_parent":"Mf_Data":private]=>
*RECURSION*
["_key":"Mf_Data":private]=>
string(3) "foo"
["_index":"Mf_Data":private]=>
int(0)
}
}
}
["_parent":"Mf_Data":private]=>
NULL
["_key":"Mf_Data":private]=>
NULL
["_index":"Mf_Data":private]=>
int(0)
}
附录
1)
所以这是toArray()
我为Mf_Data
班级设计的功能:
public function toArray()
{
$array = (array) $this;
array_walk_recursive($array, function (&$property) {
if ($property instanceof Mf_Data) {
$property = $property->toArray();
}
});
return $array;
}
但是,由于Mf_Data
对象也有对其父(包含)对象的引用,因此递归失败。_parent
当我删除参考时,它就像一个魅力。
2)
只是为了跟进,我使用的转换复杂树节点对象的最终函数是:
// class name - Mf_Data
// exlcuded properties - $_parent, $_index
public function toArray()
{
$array = get_object_vars($this);
unset($array['_parent'], $array['_index']);
array_walk_recursive($array, function (&$property) {
if (is_object($property) && method_exists($property, 'toArray')) {
$property = $property->toArray();
}
});
return $array;
}
3)
我再次跟进,实施更清晰。使用接口进行instanceof
检查似乎比method_exists()
(但是method_exists()
交叉继承/实现)更干净。
使用unset()
似乎也有点乱,似乎应该将逻辑重构为另一种方法。但是,此实现确实复制了属性数组(由于array_diff_key
),因此需要考虑。
interface ToMapInterface
{
function toMap();
function getToMapProperties();
}
class Node implements ToMapInterface
{
private $index;
private $parent;
private $values = array();
public function toMap()
{
$array = $this->getToMapProperties();
array_walk_recursive($array, function (&$value) {
if ($value instanceof ToMapInterface) {
$value = $value->toMap();
}
});
return $array;
}
public function getToMapProperties()
{
return array_diff_key(get_object_vars($this), array_flip(array(
'index', 'parent'
)));
}
}