PHPでWebアプリケーションを開発しています。
多くのオブジェクトをサーバーからJSON文字列として転送する必要があります。Gsonlibrary for Javaのように、オブジェクトをJSONに変換し、JSON StringをObjecに変換するPHPのライブラリはありますか。
これでうまくいくはずです!
// convert object => json
$json = json_encode($myObject);
// convert json => object
$obj = json_decode($json);
ここに例があります
$foo = new StdClass();
$foo->hello = "world";
$foo->bar = "baz";
$json = json_encode($foo);
echo $json;
//=> {"hello":"world","bar":"baz"}
print_r(json_decode($json));
// stdClass Object
// (
// [hello] => world
// [bar] => baz
// )
オブジェクトではなく配列として出力する場合は、true
をjson_decode
に渡します
print_r(json_decode($json, true));
// Array
// (
// [hello] => world
// [bar] => baz
// )
json_encode() の詳細
参照: json_decode()
大規模アプリの拡張性を高めるには、カプセル化されたフィールドでoopスタイルを使用します。
簡単な方法:-
class Fruit implements JsonSerializable {
private $type = 'Apple', $lastEaten = null;
public function __construct() {
$this->lastEaten = new DateTime();
}
public function jsonSerialize() {
return [
'category' => $this->type,
'EatenTime' => $this->lastEaten->format(DateTime::ISO8601)
];
}
}
echo json_encode(new Fruit()); //次を出力します:
{"category":"Apple","EatenTime":"2013-01-31T11:17:07-0500"}
PHPのリアルGson:-
json_decode($json, true);
// the second param being true will return associative array. This one is easy.
これを解決する方法を作りました。私のアプローチは:
1-Regexを使用してオブジェクトを配列(プライベート属性を含む)に変換するメソッドを持つ抽象クラスを作成します。 2-返された配列をjsonに変換します。
この抽象クラスをすべてのドメインクラスの親として使用します
クラスコード:
namespace Project\core;
abstract class AbstractEntity {
public function getAvoidedFields() {
return array ();
}
public function toArray() {
$temp = ( array ) $this;
$array = array ();
foreach ( $temp as $k => $v ) {
$k = preg_match ( '/^\x00(?:.*?)\x00(.+)/', $k, $matches ) ? $matches [1] : $k;
if (in_array ( $k, $this->getAvoidedFields () )) {
$array [$k] = "";
} else {
// if it is an object recursive call
if (is_object ( $v ) && $v instanceof AbstractEntity) {
$array [$k] = $v->toArray();
}
// if its an array pass por each item
if (is_array ( $v )) {
foreach ( $v as $key => $value ) {
if (is_object ( $value ) && $value instanceof AbstractEntity) {
$arrayReturn [$key] = $value->toArray();
} else {
$arrayReturn [$key] = $value;
}
}
$array [$k] = $arrayReturn;
}
// if it is not a array and a object return it
if (! is_object ( $v ) && !is_array ( $v )) {
$array [$k] = $v;
}
}
}
return $array;
}
}