只是打字
$array = (array) $yourObject;
从数组 :
如果将对象转换为数组,则结果是一个数组,其元素是对象的属性。键是成员变量名称,但有一些值得注意的例外:整数属性不可访问;私有变量的类名在变量名之前;受保护的变量在变量名前带有 “*”。这些前置值的任一侧都有空字节。
示例:简单对象
$object = new StdClass;
$object->foo = 1;
$object->bar = 2;
var_dump( (array) $object );
输出:
array(2) {
'foo' => int(1)
'bar' => int(2)
}
示例:复杂对象
class Foo
{
private $foo;
protected $bar;
public $baz;
public function __construct()
{
$this->foo = 1;
$this->bar = 2;
$this->baz = new StdClass;
}
}
var_dump( (array) new Foo );
输出(为清晰起见,已编辑 \ 0s):
array(3) {
'\0Foo\0foo' => int(1)
'\0*\0bar' => int(2)
'baz' => class stdClass#2 (0) {}
}
使用var_export
而不是var_dump
输出:
array (
'' . "\0" . 'Foo' . "\0" . 'foo' => 1,
'' . "\0" . '*' . "\0" . 'bar' => 2,
'baz' =>
stdClass::__set_state(array(
)),
)
以这种方式进行类型转换将不会对对象图进行深度转换,并且您需要应用空字节(如手册引用中所述)以访问任何非公共属性。因此,这在投射 StdClass 对象或仅具有公共属性的对象时效果最佳。为了快速又肮脏(您想要的),这很好。
另请参阅此深入的博客文章:
您可以依靠 JSON 编码 / 解码功能的行为,将深层嵌套的对象快速转换为关联数组:
$array = json_decode(json_encode($nested_object), true);
从第一个 Google 命中 “ PHP 对象到 assoc 数组 ” 开始,我们有了:
function object_to_array($data)
{
if (is_array($data) || is_object($data))
{
$result = array();
foreach ($data as $key => $value)
{
$result[$key] = object_to_array($value);
}
return $result;
}
return $data;
}