Regex to check with starts with http://, https:// or ftp://

后端 未结 5 1768
一个人的身影
一个人的身影 2020-12-28 12:59

I am framing a regex to check if a word starts with http:// or https:// or ftp://, my code is as follows,

     public          


        
相关标签:
5条回答
  • 2020-12-28 13:18

    test.matches() method checks all text.use test.find()

    0 讨论(0)
  • 2020-12-28 13:20

    You need a whole input match here.

    System.out.println(test.matches("^(http|https|ftp)://.*$")); 
    

    Edit:(Based on @davidchambers's comment)

    System.out.println(test.matches("^(https?|ftp)://.*$")); 
    
    0 讨论(0)
  • 2020-12-28 13:20

    If you wanna do it in case-insensitive way, this is better:

    System.out.println(test.matches("^(?i)(https?|ftp)://.*$")); 
    
    0 讨论(0)
  • 2020-12-28 13:23

    Unless there is some compelling reason to use a regex, I would just use String.startsWith:

    bool matches = test.startsWith("http://")
                || test.startsWith("https://") 
                || test.startsWith("ftp://");
    

    I wouldn't be surprised if this is faster, too.

    0 讨论(0)
  • 2020-12-28 13:35

    I think the regex / string parsing solutions are great, but for this particular context, it seems like it would make sense just to use java's url parser:

    https://docs.oracle.com/javase/tutorial/networking/urls/urlInfo.html

    Taken from that page:

    import java.net.*;
    import java.io.*;
    
    public class ParseURL {
        public static void main(String[] args) throws Exception {
    
            URL aURL = new URL("http://example.com:80/docs/books/tutorial"
                               + "/index.html?name=networking#DOWNLOADING");
    
            System.out.println("protocol = " + aURL.getProtocol());
            System.out.println("authority = " + aURL.getAuthority());
            System.out.println("host = " + aURL.getHost());
            System.out.println("port = " + aURL.getPort());
            System.out.println("path = " + aURL.getPath());
            System.out.println("query = " + aURL.getQuery());
            System.out.println("filename = " + aURL.getFile());
            System.out.println("ref = " + aURL.getRef());
        }
    }
    

    yields the following:

    protocol = http
    authority = example.com:80
    host = example.com
    port = 80
    path = /docs/books/tutorial/index.html
    query = name=networking
    filename = /docs/books/tutorial/index.html?name=networking
    ref = DOWNLOADING
    
    0 讨论(0)
提交回复
热议问题