0

我使用这种模式:

'/({for) (\d+) (times})([\w+\d+{}]{0,})({endfor})/i'

转换

{for 3 times}App2{endfor}

App2  App2  App2 

但这不适用于:

{for 7 times}
    App2
{endfor}

这是我很小的模板引擎的一小部分。

这只是为了好玩

$mactos = Array(
    '/({for) (\d+) (times})([\w+\d+{}]{0,})({endfor})/i' => '<?php for($i=0;$i<${2};$i++) : ?> ${4} <?php endfor; ?' . '>',
    '/({{)(\w+)(}})/i' => '<?php echo $${2}; ?' . '>'
);
$php = file_get_contents('teamplate.php');
foreach ($this->getPatternAndReplacement() as $pattern => $replacement) {
    $php = preg_replace($pattern, $replacement, $php);
}

我已经读过(...)除了用

'/({for) (\d+) (times})(...)({endfor})/i'

不工作=(。

4

1 回答 1

2

如果您的字面意思是(...),那是一个与三个字符完全匹配的组。(.+)将匹配一个或多个任何字符,除了...


默认情况下,.匹配换行符以外的任何内容。

s (PCRE_DOTALL)
如果设置了此修饰符,则模式中的点元字符匹配所有字符,包括换行符。没有它,换行符被排除在外。

使用s修饰符允许.匹配换行符。

/your pattern/s

示例(也在这里

$str = <<<STR
{for 7 times}
    App2
{endfor}
STR;

preg_match('/({for) (\d+) (times})(.+)({endfor})/s', $str, $matchParts);

print_r($matchParts);
OUTPUT:

Array
(
    [0] => {for 7 times}
    App2
{endfor}
    [1] => {for
    [2] => 7
    [3] => times}
    [4] => 
    App2

    [5] => {endfor}
)
于 2012-11-27T22:06:59.313 回答