Skip to content
Fix Code Error

Convert a PHP object to an associative array

March 13, 2021 by Code Error
Posted By: Anonymous

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.

Solution

Just typecast it

$array = (array) $yourObject;

From Arrays:

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) {
  'Foofoo' => 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:

  • Fast PHP Object to Array conversion
Answered By: Anonymous

Related Articles

  • Reference — What does this symbol mean in PHP?
  • How to generate JAXB classes from XSD?
  • Adding gif image in an ImageView in android
  • How to iterate over a JavaScript object?
  • What are access specifiers? Should I inherit with private,…
  • Checking if a variable is an integer in PHP
  • What's the difference between KeyDown and KeyPress in .NET?
  • Reference - What does this regex mean?
  • Callback functions in C++
  • How do I extract data from JSON with PHP?

Disclaimer: This content is shared under creative common license cc-by-sa 3.0. It is generated from StackExchange Website Network.

Post navigation

Previous Post:

How do I pass command line arguments to a Node.js program?

Next Post:

How do I center text horizontally and vertically in a TextView?

Leave a Reply Cancel reply

Your email address will not be published. Required fields are marked *

  • Get code errors & solutions at akashmittal.com
© 2022 Fix Code Error