Check if a JavaScript string is a URL

前端 未结 30 2819
野趣味
野趣味 2020-11-22 15:41

Is there a way in JavaScript to check if a string is a URL?

RegExes are excluded because the URL is most likely written like stackoverflow; that is to s

相关标签:
30条回答
  • 2020-11-22 16:36

    To Validate Url using javascript is shown below

    function ValidURL(str) {
      var regex = /(http|https):\/\/(\w+:{0,1}\w*)?(\S+)(:[0-9]+)?(\/|\/([\w#!:.?+=&%!\-\/]))?/;
      if(!regex .test(str)) {
        alert("Please enter valid URL.");
        return false;
      } else {
        return true;
      }
    }
    
    0 讨论(0)
  • 2020-11-22 16:36

    This is quite difficult to do with pure regex because URLs have many 'inconveniences'.

    1. For example domain names have complicated restrictions on hyphens:

      a. It is allowed to have many consecutive hyphens in the middle.

      b. but the first character and last character of the domain name cannot be a hyphen

      c. The 3rd and 4th character cannot be both hyphen

    2. Similarly port number can only be in the range 1-65535. This is easy to check if you extract the port part and convert to int but quite difficult to check with a regular expression.

    3. There is also no easy way to check valid domain extensions. Some countries have second-level domains(such as 'co.uk'), or the extension can be a long word such as '.international'. And new TLDs are added regularly. This type of things can only be checked against a hard-coded list. (see https://en.wikipedia.org/wiki/Top-level_domain)

    4. Then there are magnet urls, ftp addresses etc. These all have different requirements.

    Nevertheless, here is a function that handles pretty much everything except:

    • Case 1. c
    • Accepts any 1-5 digit port number
    • Accepts any extension 2-13 chars
    • Does not accept ftp, magnet, etc...

    function isValidURL(input) {
        pattern = '^(https?:\\/\\/)?' + // protocol
            '((([a-zA-Z\\d]([a-zA-Z\\d-]{0,61}[a-zA-Z\\d])*\\.)+' + // sub-domain + domain name
            '[a-zA-Z]{2,13})' + // extension
            '|((\\d{1,3}\\.){3}\\d{1,3})' + // OR ip (v4) address
            '|localhost)' + // OR localhost
            '(\\:\\d{1,5})?' + // port
            '(\\/[a-zA-Z\\&\\d%_.~+-:@]*)*' + // path
            '(\\?[a-zA-Z\\&\\d%_.,~+-:@=;&]*)?' + // query string
            '(\\#[-a-zA-Z&\\d_]*)?$'; // fragment locator
        regex = new RegExp(pattern);
        return regex.test(input);
    }
    
    let tests = [];
    tests.push(['', false]);
    tests.push(['http://en.wikipedia.org/wiki/Procter_&_Gamble', true]);
    tests.push(['https://sdfasd', false]);
    tests.push(['http://www.google.com/url?sa=i&rct=j&q=&esrc=s&source=images&cd=&docid=nIv5rk2GyP3hXM&tbnid=isiOkMe3nCtexM:&ved=0CAUQjRw&url=http%3A%2F%2Fanimalcrossing.wikia.com%2Fwiki%2FLion&ei=ygZXU_2fGKbMsQTf4YLgAQ&bvm=bv.65177938,d.aWc&psig=AFQjCNEpBfKnal9kU7Zu4n7RnEt2nerN4g&ust=1398298682009707', true]);
    tests.push(['https://stackoverflow.com/', true]);
    tests.push(['https://w', false]);
    tests.push(['aaa', false]);
    tests.push(['aaaa', false]);
    tests.push(['oh.my', true]);
    tests.push(['dfdsfdsfdfdsfsdfs', false]);
    tests.push(['google.co.uk', true]);
    tests.push(['test-domain.MUSEUM', true]);
    tests.push(['-hyphen-start.gov.tr', false]);
    tests.push(['hyphen-end-.com', false]);
    tests.push(['https://sdfasdp.international', true]);
    tests.push(['https://sdfasdp.pppppppp', false]);
    tests.push(['https://sdfasdp.ppppppppppppppppppp', false]);
    tests.push(['https://sdfasd', false]);
    tests.push(['https://sub1.1234.sub3.sub4.sub5.co.uk/?', true]);
    tests.push(['http://www.google-com.123', false]);
    tests.push(['http://my--testdomain.com', false]);
    tests.push(['http://my2nd--testdomain.com', true]);
    tests.push(['http://thingiverse.com/download:1894343', true]);
    tests.push(['https://medium.com/@techytimo', true]);
    tests.push(['http://localhost', true]);
    tests.push(['localhost', true]);
    tests.push(['localhost:8080', true]);
    tests.push(['localhost:65536', true]);
    tests.push(['localhost:80000', false]);
    tests.push(['magnet:?xt=urn:btih:123', true]);
    
    for (let i = 0; i < tests.length; i++) {
        console.log('Test #' + i + (isValidURL(tests[i][0]) == tests[i][1] ? ' passed' : ' failed') + ' on ["' + tests[i][0] + '", ' + tests[i][1] + ']');
    }

    0 讨论(0)
  • 2020-11-22 16:37

    The question asks a validation method for an url such as stackoverflow, without the protocol or any dot in the hostname. So, it's not a matter of validating url sintax, but checking if it's a valid url, by actually calling it.

    I tried several methods for knowing if the url true exists and is callable from within the browser, but did not find any way to test with javascript the response header of the call:

    • adding an anchor element is fine for firing the click() method.
    • making ajax call to the challenging url with 'GET' is fine, but has it's various limitations due to CORS policies and it is not the case of using ajax, for as the url maybe any outside my server's domain.
    • using the fetch API has a workaround similar to ajax.
    • other problem is that I have my server under https protocol and throws an exception when calling non secure urls.

    So, the best solution I can think of is getting some tool to perform CURL using javascript trying something like curl -I <url>. Unfortunately I did not find any and in appereance it's not possible. I will appreciate any comments on this.

    But, in the end, I have a server running PHP and as I use Ajax for almost all my requests, I wrote a function on the server side to perform the curl request there and return to the browser.

    Regarding the single word url on the question 'stackoverflow' it will lead me to https://daniserver.com.ar/stackoverflow, where daniserver.com.ar is my own domain.

    0 讨论(0)
  • 2020-11-22 16:38

    This function disallows localhost and only allows URLs for web pages (ie, only allows http or https protocol).

    It also only allows safe characters as defined here: https://www.urlencoder.io/learn/

    function isValidWebUrl(url) {
       let regEx = /^https?:\/\/(?:www\.)?[-a-zA-Z0-9@:%._\+~#=]{1,256}\.[a-zA-Z0-9()]{1,6}\b([-a-zA-Z0-9()@:%_\+.~#?&//=]*)$/gm;
       return regEx.test(url);
    }
    
    0 讨论(0)
  • 2020-11-22 16:39

    I can't comment on the post that is the closest #5717133, but below is the way I figured out how to get @tom-gullen regex working.

    /^(https?:\/\/)?((([a-z\d]([a-z\d-]*[a-z\d])*)\.)+[a-z]{2,}|((\d{1,3}\.){3}\d{1,3}))(\:\d+)?(\/[-a-z\d%_.~+]*)*(\?[;&a-z\d%_.~+=-]*)?(\#[-a-z\d_]*)?$/i
    
    0 讨论(0)
  • 2020-11-22 16:41

    As has been noted the perfect regex is elusive but still seems to be a reasonable approach (alternatives are server side tests or the new experimental URL API). However the high ranking answers are often returning false for common URLs but even worse will freeze your app/page for minutes on even as simple a string as isURL('aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa'). It's been pointed out in some of the comments, but most probably haven't entered a bad value to see it. Hanging like that makes that code unusable in any serious application. I think it's due to the repeated case insensitive sets in code like ((([a-z\\d]([a-z\\d-]*[a-z\\d])*)\\.?)+[a-z]{2,}|' .... Take out the 'i' and it doesn't hang but will of course not work as desired. But even with the ignore case flag those tests reject high unicode values that are allowed.

    The best already mentioned is:

    function isURL(str) {
      return /^(?:\w+:)?\/\/([^\s\.]+\.\S{2}|localhost[\:?\d]*)\S*$/.test(str); 
    }
    

    That comes from Github segmentio/is-url. The good thing about a code repository is you can see the testing and any issues and also the test strings run through it. There's a branch that would allow strings missing protocol like google.com, though you're probably making too many assumptions then. The repository has been updated and I'm not planning on trying to keep up a mirror here. It's been broken up into separate tests to avoid RegEx redos which can be exploited for DOS attacks (I don't think you have to worry about that with client side js, but you do have to worry about your page hanging for so long that your visitor leaves your site).

    There is one other repository I've seen that may even be better for isURL at dperini/regex-weburl.js, but it is highly complex. It has a bigger test list of valid and invalid URLs. The simple one above still passes all the positives and only fails to block a few odd negatives like http://a.b--c.de/ as well as the special ips.

    Whichever you choose, run it through this function which I've adapted from the tests on dperini/regex-weburl.js, while using your browser's Developer Tools inpector.

    function testIsURL() {
    //should match
    console.assert(isURL("http://foo.com/blah_blah"));
    console.assert(isURL("http://foo.com/blah_blah/"));
    console.assert(isURL("http://foo.com/blah_blah_(wikipedia)"));
    console.assert(isURL("http://foo.com/blah_blah_(wikipedia)_(again)"));
    console.assert(isURL("http://www.example.com/wpstyle/?p=364"));
    console.assert(isURL("https://www.example.com/foo/?bar=baz&inga=42&quux"));
    console.assert(isURL("http://✪df.ws/123"));
    console.assert(isURL("http://userid:password@example.com:8080"));
    console.assert(isURL("http://userid:password@example.com:8080/"));
    console.assert(isURL("http://userid@example.com"));
    console.assert(isURL("http://userid@example.com/"));
    console.assert(isURL("http://userid@example.com:8080"));
    console.assert(isURL("http://userid@example.com:8080/"));
    console.assert(isURL("http://userid:password@example.com"));
    console.assert(isURL("http://userid:password@example.com/"));
    console.assert(isURL("http://142.42.1.1/"));
    console.assert(isURL("http://142.42.1.1:8080/"));
    console.assert(isURL("http://➡.ws/䨹"));
    console.assert(isURL("http://⌘.ws"));
    console.assert(isURL("http://⌘.ws/"));
    console.assert(isURL("http://foo.com/blah_(wikipedia)#cite-1"));
    console.assert(isURL("http://foo.com/blah_(wikipedia)_blah#cite-1"));
    console.assert(isURL("http://foo.com/unicode_(✪)_in_parens"));
    console.assert(isURL("http://foo.com/(something)?after=parens"));
    console.assert(isURL("http://☺.damowmow.com/"));
    console.assert(isURL("http://code.google.com/events/#&product=browser"));
    console.assert(isURL("http://j.mp"));
    console.assert(isURL("ftp://foo.bar/baz"));
    console.assert(isURL("http://foo.bar/?q=Test%20URL-encoded%20stuff"));
    console.assert(isURL("http://مثال.إختبار"));
    console.assert(isURL("http://例子.测试"));
    console.assert(isURL("http://उदाहरण.परीक्षा"));
    console.assert(isURL("http://-.~_!$&'()*+,;=:%40:80%2f::::::@example.com"));
    console.assert(isURL("http://1337.net"));
    console.assert(isURL("http://a.b-c.de"));
    console.assert(isURL("http://223.255.255.254"));
    console.assert(isURL("postgres://u:p@example.com:5702/db"));
    console.assert(isURL("https://d1f4470da51b49289906b3d6cbd65074@app.getsentry.com/13176"));
    
    //SHOULD NOT MATCH:
    console.assert(!isURL("http://"));
    console.assert(!isURL("http://."));
    console.assert(!isURL("http://.."));
    console.assert(!isURL("http://../"));
    console.assert(!isURL("http://?"));
    console.assert(!isURL("http://??"));
    console.assert(!isURL("http://??/"));
    console.assert(!isURL("http://#"));
    console.assert(!isURL("http://##"));
    console.assert(!isURL("http://##/"));
    console.assert(!isURL("http://foo.bar?q=Spaces should be encoded"));
    console.assert(!isURL("//"));
    console.assert(!isURL("//a"));
    console.assert(!isURL("///a"));
    console.assert(!isURL("///"));
    console.assert(!isURL("http:///a"));
    console.assert(!isURL("foo.com"));
    console.assert(!isURL("rdar://1234"));
    console.assert(!isURL("h://test"));
    console.assert(!isURL("http:// shouldfail.com"));
    console.assert(!isURL(":// should fail"));
    console.assert(!isURL("http://foo.bar/foo(bar)baz quux"));
    console.assert(!isURL("ftps://foo.bar/"));
    console.assert(!isURL("http://-error-.invalid/"));
    console.assert(!isURL("http://a.b--c.de/"));
    console.assert(!isURL("http://-a.b.co"));
    console.assert(!isURL("http://a.b-.co"));
    console.assert(!isURL("http://0.0.0.0"));
    console.assert(!isURL("http://10.1.1.0"));
    console.assert(!isURL("http://10.1.1.255"));
    console.assert(!isURL("http://224.1.1.1"));
    console.assert(!isURL("http://1.1.1.1.1"));
    console.assert(!isURL("http://123.123.123"));
    console.assert(!isURL("http://3628126748"));
    console.assert(!isURL("http://.www.foo.bar/"));
    console.assert(!isURL("http://www.foo.bar./"));
    console.assert(!isURL("http://.www.foo.bar./"));
    console.assert(!isURL("http://10.1.1.1"));}
    

    And then test that string of 'a's.

    See this comparison of isURL regex by Mathias Bynens for more info before you post a seemingly great regex.

    0 讨论(0)
提交回复
热议问题