php更改多维数组

时间:2015-12-14 12:50:56

标签: php arrays json multidimensional-array

我遇到了问题。

我创建了一个更新config.json文件的函数。 问题是,我的config.json是一个多维数组。要获得键的值,我使用此函数:

public function read($key)
{
    $read   = explode('.', $key);
    $config = $this->config;
    foreach ($read as $key) {
        if (array_key_exists($key, $config)) {
            $config = $config[$key];
        }
    }

    return $config;
}

我还做了一个更新密钥的功能。但问题是,如果我使update('database.host', 'new value');它不仅仅更新该键,但它会覆盖整个数组。

这是我的更新功能

public function update($key, $value)
{
    $read   = explode('.', $key);
    $config = $this->config;
        foreach ($read as $key) {
        if (array_key_exists($key, $config)) {
            if ($key === end($read)) {
                $config[$key] = $value;
                                     }
                $config = $config[$key];
                                              }
                                }
        print_r( $config );
}

我的config.json看起来像这样:

{
    "database": {
        "host": "want to update with new value",
        "user": "root",
        "pass": "1234",
        "name": "dev"
    },
    some more content...
}

我有一个工作功能,但那不是很好。我知道索引的最大值只能是3,所以我计算爆炸的$ key并更新值:

public function update($key, $value)
{
    $read  = explode('.', $key);
    $count = count($read);
        if ($count === 1) {
        $this->config[$read[0]] = $value;
    } elseif ($count === 2) {
        $this->config[$read[0]][$read[1]] = $value;
    } elseif ($count === 3) {
        $this->config[$read[0]][$read[1]][$read[3]] = $value;
    }
        print_r($this->config);
}

要知道:变量$this->config是我的config.json解析为php数组,所以没有错::)

2 个答案:

答案 0 :(得分:2)

在我更好地阅读了你的问题之后,我现在明白了你想要的东西,而你的阅读功能虽然不是很清楚,但效果很好。

通过使用参考&分配来循环索引并将新值分配给数组的正确元素,可以改进您的更新。

以下代码的作用是使用引用调用将完整的配置对象分配给临时变量newconfig,这意味着每当我们更改newconfig变量时,我们更改this->config变量 多次使用此“技巧”,我们最终可以将新值分配给newconfig变量,并且由于引用分配的调用,应更新this->config对象的正确元素。

public function update($key, $value)
{
    $read  = explode('.', $key);
    $count = count($read);

    $newconfig = &$this->config; //assign a temp config variable to work with
    foreach($read as $key){
        //update the newconfig variable by reference to a part of the original object till we have the part of the config object we want to change.
        $newconfig = &$newconfig[$key];
    }
    $newconfig = $value;


    print_r($this->config);
}

答案 1 :(得分:-1)

您可以尝试这样的事情:

public function update($path, $value)
{
    array_replace_recursive(
        $this->config,
        $this->pathToArray("$path.$value")
    );

    var_dump($this->config);
}

protected function pathToArray($path)
{
    $pos = strpos($path, '.');
    if ($pos === false) {
        return $path;
    }

    $key = substr($path, 0, $pos);
    $path = substr($path, $pos + 1);

    return array(
        $key => $this->pathToArray($path),
    );
}

请注意,您可以改进它以接受所有数据类型的值,而不仅仅是标量