0

我在我的 PHP 代码中从 JSON 字符串中获取对象。我希望我的 IDE (NetBeans) 知道对象的参数而不为它们创建特殊的类。

我可以做吗?

它看起来像:

$obj = json_decode($string);
/** 
 * @var $obj { 
 *     @property int    $id
 *     @property string $label
 * } 
*/
4

2 回答 2

0

这是它的结构化版本

首先,您在helpers文件夹中的某处创建一个类

<?php

namespace App\Helpers;

use function json_decode;

class JsonDecoder
{


    public function loadString(string $string): self
    {
        $array = json_decode($string, true);

        return $this->loadArray($array);
    }


    public function loadArray(array $array): self
    {
        foreach ($array as $key => $value) {
            $this->{$key} = $value;
        }

        return $this;
    }


}

然后,你小心使用它

        $obj= (new class() extends JsonDecoder {
                public /** @var int     */ $id;
                public /** @var string  */ $label;
            });
        $obj->loadString($string);

        echo $obj->id;
        echo $obj->label;
于 2021-01-29T00:37:57.783 回答
0

当我使用 PHP 7 时,我可以定义匿名类。

所以,我的解决方案是:

        $obj = (new class {

                /**
                 * @property int $id 
                 */
                public /** @var string */ $label;

                public function load(string $string): self
                {
                    $data = json_decode($string, true);
                    foreach ($data as $key => $value) {
                        $this->{$key} = $value;
                    }                        
                    
                    return $this;
                }
            })->load($string);


        echo $obj->id;
        echo $obj->label;

我认为这是一道很棒的意大利面。

于 2021-01-28T23:43:24.933 回答