将 PHP 对象转换为关联数组

2022-08-30 05:46:56

我正在将一个API集成到我的网站中,该API处理存储在对象中的数据,而我的代码是使用数组编写的。

我想要一个快速而肮脏的函数来将对象转换为数组。


答案 1

只需类型化即可

$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 对象或仅具有公共属性的对象时,此方法效果最佳。对于快速和肮脏(你要求的)没关系。

另请参阅此深入的博客文章:


答案 2

您可以通过依赖 JSON 编码/解码函数的行为,快速将深度嵌套的对象转换为关联数组:

$array = json_decode(json_encode($nested_object), true);