Convert PHP object to associative array
I'm integrating an API to my website which works with data stored in objects while my code is written using arrays.
I'd like a quick and dirty function to convert an object to an array.
Just typecast it
$array = (array) $yourObject;
From http://www.php.net/manual/en/language.types.array.php
If an object is converted to an array, the result is an array whose elements are the object's properties. The keys are the member variable names, with a few notable exceptions: integer properties are unaccessible; private variables have the class name prepended to the variable name; protected variables have a '*' prepended to the variable name. These prepended values have null bytes on either side.
Example: Simple Object
$object = new StdClass;
$object->foo = 1;
$object->bar = 2;
var_dump( (array) $object );
Output:
array(2) {
'foo' => int(1)
'bar' => int(2)
}
Example: Complex Object
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 );
Output (with s edited in for clarity):
array(3) {
' Foo foo' => int(1)
' * bar' => int(2)
'baz' => class stdClass#2 (0) {}
}
Output with var_export
instead of var_dump
:
array (
'' . " " . 'Foo' . " " . 'foo' => 1,
'' . " " . '*' . " " . 'bar' => 2,
'baz' =>
stdClass::__set_state(array(
)),
)
Typecasting this way will not do deep casting of the object graph and you need to apply the null bytes (as explained in the manual quote) to access any non-public attributes. So this works best when casting StdClass objects or objects with only public properties. For quick and dirty (what you asked for) it's fine.
Also see this in-depth blog post:
您可以通过依赖JSON编码/解码函数的行为将深度嵌套对象快速转换为关联数组:
$array = json_decode(json_encode($nested_object), true);
From the first Google hit for "php object to assoc array" we have this:
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;
}
Source at codesnippets.joyent.com.
链接地址: http://www.djcxy.com/p/23648.html上一篇: 在Java中获取用户的类的对象名称
下一篇: 将PHP对象转换为关联数组