我正在寻找一个可以用来编辑文本文件中的键/值对的PHP函数。
我想做什么(PHP):
changeValue(key, bar);
并且有setings.txt:
key = foo
key2 =foo2
更改为:
key = bar
key2 = foo2
到目前为止(无法正常工作):
function changeValue($input) {
$file = file_get_contents('/path/to/settings.txt');
preg_match('/\b$input[0]\b/', $file, $matches);
$file = str_replace($matches[1], $input, $file);
file_put_contents('/path/to/settings.txt', $file);
}
How to update an ini file with php?让我开始了。我读了许多其他问题,但我无法使其发挥作用。
答案 0 :(得分:2)
我会使用JSON至少使用JSON_PRETTY_PRINT
选项进行编写,并使用json_decode()
进行阅读。
// read file into an array of key => foo
$settings = json_decode(file_get_contents('/path/to/settings.txt'), true);
// write array to file as JSON
file_put_contents('/path/to/settings.txt', json_encode($settings, JSON_PRETTY_PRINT));
这将创建一个文件,如:
{
"key": "foo",
"key2": "bar",
"key3": 1
}
另一种可能性是var_export()
使用类似的方法,或另一个简单的例子来表达您的要求:
// read file into an array of key => foo
$string = implode('&', file('/path/to/settings.txt', FILE_IGNORE_NEW_LINES));
parse_str($string, $settings);
// write array to file as key=foo
$data = implode("\n", $settings);
file_put_contents('/path/to/settings.txt', $data);
因此请在文件中读取,更改设置$setting['key'] = 'bar';
,然后将其写出来。
答案 1 :(得分:2)
而不是使用file_get_contents使用文件,而是以数组的形式读取每一行。 在你看到工作代码。写入数组有点问题添加了更多的休息但不确定原因。
changeValue("key", "test123");
function changeValue($key, $value)
{
//get each line as an array.
$file = file("test.txt");
//go through the array, the value is references so when it is changed the value in the array is changed.
foreach($file as &$val)
{
//check if the string line contains the current key. If it contains the key replace the value. substr takes everything before "=" so not to run if the value is the same as the key.
if(strpos(substr($val, 0, strpos($val, "=")), $key) !== false)
{
//clear the string
$val = substr($val, 0, strpos($val, "="));
//add the value
$val .= "= " . $value;
}
}
//send the changed array writeArray();
writeArray($file);
}
function writeArray($array)
{
$str = "";
foreach($array as $value)
{
$str .= $value . "\n";
}
//write the array.
file_put_contents('test.txt', $str);
}
?>