0

在 PHP 中,我有一个包含属性集合的产品对象。json_encode 产生这个:

{"id":"123","name":"abc","attributes":{"attributes":[{"key":"sku","value":"xyz"}]}}

列出两次的“属性”是多余的。构造对象集合以使 json 干净的最佳方法是什么?

class Product {

    public $id;
    public $name;
    public $attributes;

    public function __construct()
    {
        $this->attributes = new Attributes();
    }

    public function get($id)
    {
        $this->id = "123";
        $this->name = "abc";
        $attribute = new Attribute("sku", "xyz");
        $this->attributes->add($attribute);
    }
}

class Attributes
{
    public $attributes;

    public function __construct()
    {
        $this->attributes = array();
    }

    public function add($attribute)
    {
        array_push($this->attributes, $attribute);
    }
}

class Attribute
{
    public $key;
    public $value;

    public function __construct($key, $value)
    {
        $this->set($key, $value);
    }
}
4

2 回答 2

1

您可以通过实现JsonSerializable为您的类提供自定义的 json 编码格式。

在您的情况下,您只需要让 Attributes 实现它并给它一个返回 $this->attributes 的 jsonSerialize 方法。

于 2012-08-22T06:50:27.990 回答
1

我只会使用关联数组。

class Product {
...
    public $attributes=array();
    ...
    public function get($id)
    {
        ...
        $this->attributes["sku"]="xyz";
        $this->attributes["foo"]="bar";
    }
}

json_encode() 应该产生如下内容:

{"id":"123","name":"abc","attributes":{"sku":"xyz","foo":"bar"}}

或使用可变变量:

class Attributes
{
    public function add($key,$value)
    {
        $this->{$key}=$value;
    }
    public function drop($key)
    {
        unset($this->{$key});
    }
}

$a=new Attributes();
$a->add('sku','xyz');
$a->add('foo','bar');
echo json_encode($a).'<br>';
$a->drop('sku');
echo json_encode($a).'<br>';

输出:

{"sku":"xyz","foo":"bar"}
{"foo":"bar"}
于 2012-08-22T06:58:08.070 回答