Javascript正则表达式将协议添加到url字符串

时间:2013-08-05 07:39:53

标签: javascript regex url

我有一个应用程序,可以使用JavaScript列出一些网站详细信息。将有一个使用JavaScript本身生成的网站链接。有时我会把我的链接作为,

<a href="http://www.google.com">Website</a>

但有时它会是,

<a href="www.yahoo.com">Website</a>

在第二次链接不起作用时,没有协议。

所以我正在寻找一个JavaScript正则表达式函数来添加http://如果没有协议。

我的代码看起来像,

var website_link = document.createElement("a"); 
website_link.innerHTML = "Website"; 
website_link.href = my_JSON_object.website;
website_link.target = "_blank"; 
profile.appendChild(website_link); 

没有本地链接。

3 个答案:

答案 0 :(得分:7)

请参阅this链接。

function setHttp(link) {
    if (link.search(/^http[s]?\:\/\//) == -1) {
        link = 'http://' + link;
    }
    return link;
}
alert(setHttp("www.google.com"));
alert(setHttp("http://www.google.com/"));  

在您的代码中,它将像:

var website_link = document.createElement("a"); 
website_link.innerHTML = "Website";
if (my_JSON_object.website.search(/^http[s]?\:\/\//) == -1) {
    my_JSON_object.website = 'http://' + my_JSON_object.website;
}
website_link.href = my_JSON_object.website;
website_link.target = "_blank"; 
profile.appendChild(website_link); 

答案 1 :(得分:1)

例如,使用negative lookahead

your_string.replace(/href="(?!http)/, 'href="http://');

示例:

> '<a href="www.yahoo.com">Website</a>'.replace(/href="(?!http)/, 'href="http://');
"<a href="http://www.yahoo.com">Website</a>"
> '<a href="http://www.yahoo.com">Website</a>'.replace(/href="(?!http)/, 'href="http://');
"<a href="http://www.yahoo.com">Website</a>"

答案 2 :(得分:1)

我已将此功能包装到NPM模块url-schemify中:

var schemify = require('url-schemify');
var assert = require('assert');

// url-schemify adds default scheme (http) to the URLs that miss it

assert.equal(schemify('google.com'), 'http://google.com');
assert.equal(schemify('www.example.com'), 'http://www.example.com');

// default scheme could be configured through the options parameter

assert.equal(schemify('google.com', { scheme: 'https' }), 'https://google.com');
// { scheme: '' } will produce protocol-related URL
assert.equal(schemify('www.example.com', { scheme: '' }), '//www.example.com');

// url-schemify doesn't modify URLs that already have scheme or protocol-related ones:

assert.equal(schemify('http://google.com'), 'http://google.com');
assert.equal(schemify('https://www.example.com'), 'https://www.example.com');
assert.equal(schemify('ftp://example.com'), 'ftp://example.com');
assert.equal(schemify('//example.com'), '//example.com');