您好,欢迎访问一九零五行业门户网

把文本中的URL地址转换为可点击链接的JavaScript、PHP自定义函数_javascript技巧

这几天在写一个小程序的时候,需要用到正则表达式匹配用户输入文本中的url地址,然后将url地址替换成可以点击的链接。url地址的匹配,我想这应该是大家在做验证处理中常会用到的,这里就把我整合的一个比较完整的表达式给出来:
复制代码 代码如下:
var url = /(https?:\/\/|ftps?:\/\/)?((\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})(:[0-9]+)?|(localhost)(:[0-9]+)?|([\w]+\.)(\s+)(\w{2,4})(:[0-9]+)?)(\/?([\w#!:.?+=&%@!\-\/]+))?/ig;
这个表达式可以匹配 http,https,ftp,ftps以及ip地址的url地址。还算是url地址匹配计较完善的。利用这个表达式我写了两个小函数,将用户留言的url地址替换成可点击的链接,没有什么太难的,就是利用javascript 的 replace() 函数来实现替换 url 为 link:
javascript版:
复制代码 代码如下:
/**
 * javascrit 版本
 * 将url地址转化为完整的a标签链接代码
 */
var replaceurltolink = function (text) {
        text = text.replace(url, function (url) {
            var urltext = url;
            if (!url.match('^https?:\/\/')) {
                url = 'http://' + url;
            }
            return '' + urltext + '';
        });        return text;
    };
php版:
复制代码 代码如下:
/**
 * php 版本 在 silva 代码的基础上修改的
 * 将url地址转化为完整的a标签链接代码
 */
/** =============================================
 name        : replace_urltolink()
 version     : 1.0
 author      : j de silva
 description : returns void; handles converting
 urls into clickable links off a string.
 type        : functions
 ============================================= */function replace_urltolink($text) {
    // grab anything that looks like a url...
    $urls = array();
// build the patterns
    $scheme = '(https?\:\/\/|ftps?\:\/\/)?';
    $www = '([\w]+\.)';
    $local = 'localhost';
    $ip = '(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})';
    $name = '([\w0-9]+)';
    $tld = '(\w{2,4})';
    $port = '(:[0-9]+)?';
    $the_rest = '(\/?([\w#!:.?+=&%@!\-\/]+))?';
    $pattern = $scheme.'('.$ip.$port.'|'.$www.$name.$tld.$port.'|'.$local.$port.')'.$the_rest;
    $pattern = '/'.$pattern.'/is';
// get the urls
    $c = preg_match_all($pattern, $text, $m);
if ($c) {
        $urls = $m[0];
    }
// replace all the urls
    if (! empty($urls)) {
        foreach ($urls as $url) {
            $pos = strpos('http\:\/\/', $url);
if (($pos && $pos != 0) || !$pos) {
                $fullurl = 'http://'.$url;
            } else {
                $fullurl = $url;
            }
$link = ''.$url.'';
$text = str_replace($url, $link, $text);
        }
    }
return $text;
}
其它类似信息

推荐信息