0

在 PHP 中,我想这样做,如果用户键入:

[LINK] url [/LINK]

它将用锚标签替换它:

<a href=url>url</a>

我将如何展示这个?我不确定如何将其翻译成正则表达式...

我尝试了以下方法:

[LINK][a-zA-Z0-9_-.]+[/LINK]

但显然这是不对的:(

4

2 回答 2

1
$str = '[LINK]http://google.com[/LINK]';
$str = preg_replace('/\[link\]([^\[\]]+)\[\/link\]/i', '<a href="$1">$1</a>', $str);

echo $str; // <a href="http://google.com">http://google.com</a>

解释:

\[link\]    Match "[LINK]"
([^\[\]]+)  Match any character except "[" and "]"
\[\/link\]  Match "[/LINK]"
i           Make it case-insensitive
于 2012-06-08T12:28:14.813 回答
0

捕获链接,但总是需要前导http://https://否则 url 将是example.com/google.com你也应该使用preg_replace_callback()作为 xss 未经处理的输入。

这里有些例子:

<?php
//The callback function to pass matches as to protect from xss.
function xss_protect($value){
    if(isset($value[2])){
        return '<a rel="nofollow" href="'.htmlentities($value[1]).'">'.htmlentities($value[2]).'</a>';
    }else{
        return '<a rel="nofollow" href="'.htmlentities($value[1]).'">'.htmlentities($value[1]).'</a>';
    }
}


$link ='[LINK]http://google.com[/LINK]';
$link = preg_replace_callback("/\[LINK\](.*)\[\/LINK\]/Usi", "xss_protect", $link);
echo $link;
?>
<a rel="nofollow" href="http://google.com">google.com</a>

或者从链接中剥离 http:// 和 https:// ,然后在输出时附加它。

<?php
$link ='[LINK]google.com[/LINK]';
$link = preg_replace_callback("/\[LINK\](.*)\[\/LINK\]/Usi", "xss_protect", str_replace(array('http://','https://'),'',$link));
echo $link;
?>
<a rel="nofollow" href="http://google.com">google.com</a>

或者另一种方式有BB码链接,然后你可以从链接地址指定链接名称,回调函数可以处理多种类型的输出。

<?php
$link ='[LINK=google.com]Google[/LINK]';
$link = preg_replace("/\[LINK=(.*)\](.*)\[\/LINK\]/Usi", "xss_protect", str_replace(array('http://','https://'),'',$link));
echo $link;
?>
<a rel="nofollow" href="http://google.com">Google</a>
于 2012-06-08T12:45:01.150 回答