passing PHP objects to javascript [duplicate]

懵懂的女人 提交于 2019-11-26 21:57:02

You can convert the PHP object to an array, and then use JSON function to encode it. After that, decode it from JavaScript. Here are some basic steps:

  1. Convert the PHP object to an array.

  2. Using json_encode() to encode that PHP array.

  3. Pass JSON-encoded data to PHP

  4. Decode JSON from JavaScript using JSON.parse or you can use jQuery.parseJSON to do that.

This is an interesting tutorial about passing a JavaScript object to a PHP object. You might find it useful by watching some other featured/related videos.

Hope this helps.

Chris Baker

Late answer, but I am very surprised no one mentioned what is, arguably, the "correct" way to deploy this functionality.

Implement the JsonSerializable interface on your object. This interface defines one abstract method, jsonSerialize. That method should return the array representation of your object.

The jsonSerialize will be called when you attempt to use json_encode on the object. You can think of this interface as a sort of "magic method" specific to the native JSON encode function, equivalent to __toString for strings.

Putting it in action, you have an object that looks like this:

class MyFoo implements JsonSerializable {
    public $bar = 'hello';
    public $baz = 'world';

    public function jsonSerialize () {
        return array(
            'bar'=>$this->bar,
            'baz'=>$this->baz
        );
    }
}

$myFooInstance= new MyFoo();
echo json_encode($myFooInstance); // {"bar":"hello","baz":"world"}

When I am implementing this in my projects, I usually put a toArray method in the objects, which generates the array, and I have jsonSerialize use it:

public function jsonSerialize () { return $this->toArray(); }

...this way I can also make use of the array form, if I so choose. This is also handy if you'll be implementing object serialization with __sleep

Documentation

I use this:

<script>
var js_data = '<?php echo json_encode($php_data); ?>';
var js_obj_data = JSON.parse(js_data );
</script>

$php_data can be since simple arrays to arrays of objects.

You will be using JSON to encode the PHP objects so that they can be accessed by Javascript. The specifics on how to do that depends on your application.

PHP has the functions json_encode and json_decode for this purpose.

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!