php改变多维数组的值
Posted
技术标签:
【中文标题】php改变多维数组的值【英文标题】:php change value of multidimensional array 【发布时间】:2016-03-19 23:07:01 【问题描述】:我遇到了问题。
我创建了一个函数来更新我的 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...
我有一个工作功能,但那不是很好。我知道索引的最大值只能是三个,所以我计算了爆炸的 $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 数组,所以这没什么问题 :)
【问题讨论】:
【参考方案1】:在我更好地阅读了您的问题之后,我现在明白了您想要什么,并且您的阅读功能虽然不是很清楚,但工作正常。
您的更新可以通过使用通过引用分配&
循环遍历您的索引并将新值分配给数组的正确元素来改进。
下面的代码所做的是使用引用调用将完整的配置对象分配给临时变量newconfig
,这意味着每当我们更改newconfig
变量时,我们也更改@987654324 @变量。
多次使用这个“技巧”,我们最终可以将新值分配给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);
【讨论】:
如果我没有多维数组,这将起作用。因为我传递了字符串“database.host”所以函数应该更新$this->config['database']['host']
的da值但是你的函数正在做的是将$this->config['database']更新为新值,这意味着它会覆盖另一个子数组,如主机、用户、通行证。我希望你能理解我,我的英语不太好:s
您可以使用is_array($value)
检查该值是否为数组,并以递归方式调用该函数来解决您面临的维数问题。
你能举个例子吗?不知道你的意思
@Rarely 现在我更好地理解了您的问题,请参阅我的更新答案。这应该会改进您的更新代码。【参考方案2】:
你可以试试这样的:
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),
);
请注意,您可以改进它以接受所有数据类型的值,而不仅仅是标量数据
【讨论】:
我希望我有这个,但在过程中,而不是面向对象的编程中。以上是关于php改变多维数组的值的主要内容,如果未能解决你的问题,请参考以下文章