我想用外部文件中的preg_replace替换一些字符。
我正在尝试下面的代码:

$arch = 'myfile.txt';
$filecontent = file_get_contents($arch);

$patrones = array();
$patrones[0] = '/á/';
$patrones[1] = '/à/';
$patrones[2] = '/ä/';
$patrones[3] = '/â/';

$sustituciones = array();
$sustituciones[0] = 'a';
$sustituciones[1] = 'a';
$sustituciones[2] = 'a';
$sustituciones[3] = 'a';

preg_replace($patrones, $sustituciones, $filecontent);

但没用。我怎么能那样做?
有没有更好的办法?
谢谢。

最佳答案

在您的例子中,preg_replace返回一个字符串,但您根本不使用返回值。
要将结果写入同一文件,请使用

file_put_contents($arch, preg_replace($patrones, $sustituciones, $filecontent));

但由于您只需要进行一对一的替换,因此您可以使用strtr
$fileName = 'myfile.txt';
$content = file_get_contents($fileName);
$charMappings = [
    'á' => 'a',
    'à' => 'a',
    'ä' => 'a',
    'â' => 'a',
];
file_put_contents($fileName, strtr($content, $charMappings));

09-25 15:44