我希望匹配字符串中的文本,而忽略它的字母大小写。如果字母案例不相同,我的例子就会失败。
/*
$text: fOoBaR
$str: little brown Foobar
return: little brown <strong>Foobar</strong>
*/
function bold($text, $str) {
// This fails to match if the letter cases are not the same
// Note: I do not want to change the returned $str letter case.
return preg_replace('/('.str_replace(array("/", "\\"), array("\/", "\\"), $text).')/', "<strong>$1</strong>", $str);
}
$phrase = [
'little brown Foobar' => 'fOoBaR',
'slash / slash' => 'h / sl',
'spoon' => 'oO',
'capital' => 'CAPITAL',
];
foreach($phrase as $str => $text)
echo bold($text, $str) . '<br>';
答案 0 :(得分:4)
好的,对该行进行了几处修改
return preg_replace('/('.str_replace(array("/", "\\"), array("\/", "\\"), $text).
')/', "<strong>$1</strong>", $str);
首先,对不区分大小写的正则表达式使用修饰符/i
。
其次,转义$text
以便在regexp中使用,因为它可能具有特定于regexp的符号(它还允许您删除所有那些替换)。
第三,不需要捕获组,使用符合$0
return preg_replace('/'.preg_quote($text, '/').'/i','<strong>$0</strong>',$str);
答案 1 :(得分:2)
将不区分大小写的修饰符i
添加到正则表达式。
function bold($text, $str) {
// This fails to match if the letter cases are not the same
// Note: I do not want to change the returned $str letter case.
return preg_replace('/('.str_replace(array("/", "\\"), array("\/", "\\"), $text).')/i', "<strong>$1</strong>", $str);
}