2

次のような完全なリンクがあります。

http://localhost:8080/suffix/rest/of/link

http://localhost/suffixsuffix:を付けずに url の主要部分のみを返す Java で正規表現を作成する方法: /rest/of/link?

  • 可能なプロトコル: http、https
  • 可能なポート: 多くの可能性

'/'マークが3回出現した後(含む)、テキスト全体を削除する必要があると想定しました。以下のようにしたいのですが、正規表現がよくわからないので、正規表現の正しい書き方を教えていただけないでしょうか。

String appUrl = fullRequestUrl.replaceAll("(.*\\/{2})", ""); //this removes 'http://' but this is not my case
4

2 に答える 2

5

これに正規表現を使用する理由がわかりません。Java は、同じことを行うためのクエリ URL オブジェクトを提供します。

これがどのように機能するかを示すために、同じサイトから取られた例を次に示します。

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
于 2013-10-08T18:42:33.523 に答える
2

コードは URL の主要部分を取得します。

import java.util.regex.Matcher;
import java.util.regex.Pattern;

public class RegexpExample {
    public static void main(String[] args) {
        String urlStr  = "http://localhost:8080/suffix/rest/of/link";
        Pattern pattern = Pattern.compile("^((.*:)//([a-z0-9\\-.]+)(|:[0-9]+)/([a-z]+))/(.*)$");

        Matcher matcher = pattern.matcher(urlStr);
        if(matcher.find())
        {
            //there is a main part of url with suffix:
            String mainPartOfUrlWithSuffix = matcher.group(1);
            System.out.println(mainPartOfUrlWithSuffix);
        }
    }
}
于 2013-10-08T18:38:46.830 に答える