用PHP中的正则表达式替换短代码

时间:2015-03-16 11:37:50

标签: php regex shortcode

我有一个自定义PHP脚本,其模板文本看起来像这样

Color: [option]color[/option]<br />
[if option="manufacturer"]<br />
Manufacturer: [option]manufacturer[/option]<br />
[/if]<br />
Price: [option]price[/option]

我已经使用preg_replace_callback成功地将[option] color [/ option]和[option] price [/ option]替换为White和$ 10.00等实际值。

我将此代码用于简单的[选项]短代码:

$template = preg_replace_callback('!\[option](\w+)\[\/option\]!',
                                function ($matches)
                                {
                                    //Here I get a value of color, price, etc
                                    ...

                                    return $some_value;
                                },
                                $template);

但是我无法弄清楚如何处理IF语句......它应该检查制造商是否已经设置然后更换[option] manufacturer [/ option],当然也可以删除开启和关闭if行

结果输出应为

Color: White<br />
Manufacturer: Apple<br />
Price: $10.00

或者如果没有制造商定义它应该是

Color: White<br />
Price: $10.00

2 个答案:

答案 0 :(得分:2)

对于if,您应该添加第二个preg_replace_callback`,并按如下方式使用它:

$options['color'] = 'white';
$options['price'] = '10.00';

$template = preg_replace_callback(
    '!\[if option=\"(.*)\"\](.+)\[\/if\]!sU',
    function ($matches) use ($options)
    {
        if (isset($options[$matches[1]]))
            return $matches[2];
        else
            return '';
    },
    $template
);

您应该注意的是正则表达式末尾的修饰符sU

s使正则表达式中的点.也包含换行符,因此正则表达式可以超越同一行。

U无法使用正则表达式。你需要这个,否则你的正则表达式可能会从第一个短标签的开头开始,一直持续到最后一个短标签的结尾,只发生一次。您还没有遇到过这个问题,因为您在任何地方都没有两条短标签。但s修饰符现在会引入该问题。

当然还注意到现在有两组相匹配。第一个是if中的选项,第二个是if的内容。

最后,我建议你不要在匿名函数中获取值,因为匿名函数将被反复调用每个短标签。这会给你带来开销。而是使用use关键字获取匿名函数的值,并传递值。

答案 1 :(得分:1)

class test {

    protected $color = 'White';
    protected $manufacturer = 'Apple';
    protected $price = '$10.00';

    public function __construct() {

        $template = '[option]color[/option]
                    [option]manufacturer[/option]
                    [option]price[/option]';

        $temp = preg_replace_callback('!\[option](\w+)\[\/option\]!',
                                        function ($matches)
                                        {
                                            $value = !empty($this->$matches[1]) ? ucfirst($matches[1]) . ': ' . $this->$matches[1] . '<br />' : '';
                                            return $value;
                                        },
                                        $template);
        echo $temp;
    }
}

new test;  // call the constructor function

它产生以下输出:

Color: White <br /> 
Manufacturer: Apple <br />
Price: $10.00

如果价值&#39;制造商&#39;为空表示输出变为:

Color: White <br />
Price: $10.00