我想将javascript字符串中的所有网址转换为链接,在此字符串中还有以#标签开头的单词。
截至目前,我在级联中创建了两个正则表达式,一个基于URL创建html锚标签,另一个为主题标签创建锚标签(如在Twitter中)。
我在尝试将www.sitename.com/index.php#someAnchor解析为正确的标记时遇到了很多问题。
content = urlifyLinks(content);
content = urlifyHashtags(content);
其中两个函数如下:
function urlifyHashtags(text) {
var hashtagRegex = /^#([a-zA-Z0-9]+)/g;
var tempText = text.replace(hashtagRegex, '<a href="index.php?keywords=$1">#$1</a>');
var hashtagRegex2 = /([^&])#([a-zA-Z0-9]+)/g;
tempText = tempText.replace(hashtagRegex2, '$1<a href="index.php?keywords=$2">#$2</a>');
return tempText;
}
function urlifyLinks(inputText) {
var replaceText, replacePattern1, replacePattern2, replacePattern3;
replacePattern1 = /(\b(https?|ftp):\/\/[-A-Z0-9+&@#\/%?=~_|!:,.;]*[-A-Z0-9+&@#\/%=~_|])/gim;
replacedText = inputText.replace(replacePattern1, '<a href="$1" target="_blank">$1</a>');
replacePattern2 = /(^|[^\/])(www\.[\S]+(\b|$))/gim;
replacedText = replacedText.replace(replacePattern2, '$1<a href="http://$2" target="_blank">$2</a>');
replacePattern3 = /(\w+@[a-zA-Z_]+?\.[a-zA-Z]{2,6})/gim;
replacedText = replacedText.replace(replacePattern3, '<a href="mailto:$1">$1</a>');
return replacedText;
}
我正在考虑解析urlifyLinks的输出并将正则表达式应用于第一级文本元素的所有dom元素,这是一件难看的事情吗?
答案 0 :(得分:10)
通过使用带有回调函数替换的单个正则表达式,可以避免此问题。
function linkify(str){
// order matters
var re = [
"\\b((?:https?|ftp)://[^\\s\"'<>]+)\\b",
"\\b(www\\.[^\\s\"'<>]+)\\b",
"\\b(\\w[\\w.+-]*@[\\w.-]+\\.[a-z]{2,6})\\b",
"#([a-z0-9]+)"];
re = new RegExp(re.join('|'), "gi");
return str.replace(re, function(match, url, www, mail, twitler){
if(url)
return "<a href=\"" + url + "\">" + url + "</a>";
if(www)
return "<a href=\"http://" + www + "\">" + www + "</a>";
if(mail)
return "<a href=\"mailto:" + mail + "\">" + mail + "</a>";
if(twitler)
return "<a href=\"foo?bar=" + twitler + "\">#" + twitler + "</a>";
// shouldnt get here, but just in case
return match;
});
}