web-dev-qa-db-ja.com

確認する正規表現は、http://、https://、またはftp://で始まります。

Wordが_http://_または_https://_または_ftp://_で始まるかどうかを確認するために正規表現をフレーミングしています。私のコードは次のとおりです。

_     public static void main(String[] args) {
    try{
        String test = "http://yahoo.com";
        System.out.println(test.matches("^(http|https|ftp)://"));
    } finally{

    }
}
_

falseを出力します。また、stackoverflow post 文字列がhttp://またはhttps://で始まるかどうかをテストする正規表現 をチェックしました

正規表現は正しいようですが、なぜ一致しないのですか? ^(http|https|ftp)\://^(http|https|ftp)\\://も試しました

47
Abhishek

ここにwhole input一致が必要です。

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

Edit:( @ davidchambers のコメントに基づく)

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

正規表現を使用する説得力のある理由がない限り、String.startsWithを使用します。

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

これが速ければ驚かないでしょう。

34
Randall Cook

大文字と小文字を区別しない方法でそれをしたい場合は、これが優れています:

System.out.println(test.matches("^(?i)(https?|ftp)://.*$")); 
4
user1079877

正規表現/文字列解析ソリューションは素晴らしいと思いますが、この特定のコンテキストでは、JavaのURLパーサーを使用するだけで理にかなっているようです。

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

そのページから取られた:

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());
    }
}

以下が得られます:

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
1
gdiz

test.matches()メソッドはすべてのtext.use test.find()をチェックします

0
shift66