PHP preg_replace_callback_array() 函数
示例
显示句子中每个单词中字母或数字的数量
<?php
function countLetters($matches) {
return $matches[0] . '[' . strlen($matches[0]) . 'letter]';
}
function countDigits($matches) {
return $matches[0] . '[' . strlen($matches[0]) . 'digit]';
}
$input = "There are 365 days in a year.";
$patterns = [
'/\b[a-z]+\b/i' => 'countLetters',
'/\b[0-9]+\b/' => 'countDigits'
];
$result = preg_replace_callback_array($patterns, $input);
echo $result;
?>
自己尝试 »
定义和用法
The preg_replace_callback_array()
函数返回一个字符串或字符串数组,其中一组正则表达式的匹配项被回调函数的返回值替换。
注意:对于每个字符串,函数按给定的顺序评估模式。第一个模式对字符串的评估结果用作第二个模式的输入字符串,依此类推。这可能导致意外行为。
语法
preg_replace_callback_array(patterns, input, limit, count)
参数值
参数 | 描述 |
---|---|
pattern | 必需。一个关联数组,将正则表达式模式与回调函数关联起来。 回调函数有一个参数,它是一个匹配数组。数组中的第一个元素包含整个表达式的匹配项,而其余元素包含表达式中每个组的匹配项。 |
input | 必需。要执行替换的字符串或字符串数组 |
limit | 可选。默认为 -1,表示无限制。设置每个字符串中可以执行的替换次数的限制 |
count | 可选。函数执行后,此变量将包含一个数字,表示执行了多少次替换 |
技术细节
返回值 | 返回一个字符串或字符串数组,这些字符串或字符串数组是将替换应用于输入字符串或字符串的结果 |
---|---|
PHP 版本 | 7+ |
更多示例
示例
此示例说明了模式按顺序评估的潜在意外影响。首先,countLetters 替换将“[4letter]”添加到“days”,并且在执行该替换后,countDigits 替换找到“4letter”中的“4”并将“[1digit]”添加到该位置
<?php
function countLetters($matches) {
return $matches[0] . '[' . strlen($matches[0]) . 'letter]';
}
function countDigits($matches) {
return $matches[0] . '[' . strlen($matches[0]) . 'digit]';
}
$input = "365 days";
$patterns = [
'/[a-z]+/i' => 'countLetters',
'/[0-9]+/' => 'countDigits'
];
$result = preg_replace_callback_array($patterns, $input);
echo $result;
?>
自己尝试 »
❮ PHP RegExp 参考