0

我有一堆字符串连接在一起成为一个包含文本和链接的字符串。我想在字符串中找到 URL,并希望将它们放入href每个 URL(创建一个链接)。我正在使用正则表达式模式来查找字符串中的 URL(链接)。检查下面的示例:

例子 :

    <?php

// The Text you want to filter for urls
        $text = "The text you want to filter goes here. http://google.com/abc/pqr
2The text you want to filter goes here. http://google.in/abc/pqr
3The text you want to filter goes here. http://google.org/abc/pqr
4The text you want to filter goes here. http://www.google.de/abc/pqr";

// The Regular Expression filter
        $reg_exUrl = "/(http|https|ftp|ftps)\:\/\/[a-zA-Z0-9\-\.]+\.[a-zA-Z]{2,3}(\/\S*)?/";


// Check if there is a url in the text
        if (preg_match($reg_exUrl, $text, $url)) {
            // make the urls hyper links
            echo preg_replace($reg_exUrl, "<a href='.$url[0].'>" . $url[0] . "</a> ", $text);
        } else {
            // if no urls in the text just return the text
            echo $text . "<br/>";
        }
        ?>

但它显示以下输出:

>  The text you want to filter goes here. **http://google.com/abc/pqr** 2The
> text you want to filter goes here. **http://google.com/abc/pqr** 3The text
> you want to filter goes here. **http://google.com/abc/pqr** 4The text you
> want to filter goes here. **http://google.com/abc/pqr**

这有什么问题?

4

1 回答 1

2

由于您的正则表达式是用斜杠分隔的,因此当您的正则表达式包含它们时,您需要非常小心。通常,使用不同的字符来分隔正则表达式会更容易:PHP 不介意您使用什么。

尝试将第一个和最后一个“/”字符替换为另一个字符,例如“#”,您的代码可能会起作用。

您还可以简化代码并在一次调用 preg_replace 中完成整个操作,如下所示:

<?php

$text = 'The text you want to filter goes here. http://google.com/abc/pqr
    2The text you want to filter goes here. http://google.in/abc/pqr
    3The text you want to filter goes here. http://google.org/abc/pqr
    4The text you want to filter goes here. http://www.google.de/abc/pqr';

echo preg_replace('#(http|https|ftp|ftps)\://[a-zA-Z0-9-.]+.[a-zA-Z]{2,3}(/\S*)?#i', '<a href="$0">$0</a>', $text);
于 2013-02-09T19:07:34.277 回答