我不确定我是否理解您示例中的嵌套,因为该示例并未说明嵌套背后的目的。您的示例输入很容易成为
'This is my test {@a} {@b} string.'
在 str_replace 中使用数组将非常简单快速地处理这个问题。
$aVars = array('{@a}' => 'hello', '{@b}' => 'world');
$sString = 'This is my test {@a} {@b} string.';
echo str_replace(array_keys($aVars), array_values($aVars), $sString);
这给了我们
这是我的测试 hello world 字符串。
现在,对此的递归函数并不太难,尽管我不确定我是否理解它会有多大用处。这是一个工作示例:
function template($sText, $aVars) {
if (preg_match_all('/({@([^{}]+)})/',
$sText, $aMatches, PREG_SET_ORDER)) {
foreach($aMatches as $aMatch) {
echo '<pre>' . print_r($aMatches, 1) . '</pre>';
if (array_key_exists($aMatch[2], $aVars)) {
// replace the guy inside
$sText = str_replace($aMatch[1], $aVars[$aMatch[2]], $sText);
// now run through the text again since we have new variables
$sText = template($sText, $aVars);
}
}
}
return $sText;
}
该 print_r 将向您显示匹配项的外观,以便您可以按照该功能的步伐进行操作。现在让我们试一试...
$aVars = array('a' => 'hello', 'b' => 'world');
$sStringOne = 'This is my test {@a} {@b} string.';
$sStringTwo = 'This is my test {@a{@b}} string.';
echo template($sStringOne, $aVars) . '<br />';
第一个结果:
这是我的测试 hello world 字符串。
现在让我们试试字符串二
echo template($sStringTwo, $aVars) . '<br />';
第二个结果:
这是我的测试 {@aworld} 字符串。
这很可能就是您正在寻找的。显然,您需要一个aworld
变量才能递归地工作......
$aVars = array('a' => '', 'b' => '2', 'a2' => 'hello world');
echo template($sStringTwo, $aVars) . '<br />';
和我们的结果。
这是我的测试 hello world 字符串。
只是为了一些递归的乐趣......
$aVars = array('a3' => 'hello world', 'b2' => '3', 'c1' => '2', 'd' => '1');
$sStringTre = 'This is my test {@a{@b{@c{@d}}}} string.';
echo template($sStringTre, $aVars) . '<br />';
这是我的测试 hello world 字符串。
不知道这是不是你要的...