我正在使用java.net.URL.getPort()从URL中提取端口号。大部分时间这都很棒。但是,当URL包含右括号字符“]时,它会失败:
new URL("http://abc.com:123/abc.mp3").getPort();
returns: (int) 123
但如果网址包含“]”我得到:
new URL("http://abc.com:123/abc].mp3").getPort();
returns: (int) -1
我做错了什么?
编辑#1:作为测试,我将相同的代码粘贴到非Android Java应用程序中并正确返回端口号,因此这似乎是Android SDK的异常。答案 0 :(得分:4)
如果您的网址包含某些在网址中无效的符号,则必须使用网址编码的字符串。他们在Java中的方式似乎是使用URI
。
new URI( "http", null, "abc.com", 123, "abc].mp3", null, null).toURL().getPort();
如果您已有网址字符串:
URL url = new URL("http://abc.com:123/abc].mp3");
然后这对我有用:
new URI(
url.getProtocol(),
null,
url.getHost(),
url.getPort(),
url.getPath(),
null,
null);
但是我再次使用你所说的url.getPort()
不起作用。但是当我正在测试Java 6时。 new URL("http://abc.com:123/abc].mp3").getPort();
实际上对我有用,也许它只是在Android上它不起作用?如果它不起作用,我认为最好使用第三方库。 Android中包含的Apache Http Client似乎有一些额外的URL功能:请参阅org.apache.http.client.utils
答案 1 :(得分:2)
"http://abc.com:123/abc].mp3"
URI中的路径部分不允许使用 ]
,因此这不是URL。但是,您可以修改regular expression in the spec以获取此信息:
//TODO: import java.util.regex.*;
String expr = "^(([^:/?#]+):)?(//([^:/?#]*):([\\d]*))?";
Matcher matcher = Pattern.compile(expr)
.matcher("http://abc.com:123/abc].mp3");
if (matcher.find()) {
String port = matcher.group(5);
System.out.println(port);
}
尽管有名称,URLEncoder
不会对网址进行编码。它只应用于在服务器期望application/x-www-form-urlencoded
编码数据时对查询部分中的参数进行编码。 URI
和URL
类的行为与文档一致 - 它们不会在这里为您提供帮助。
答案 2 :(得分:1)
根据RFC1738,]
字符不安全:
其他字符不安全,因为已知网关和其他传输代理有时会修改此类字符。这些字符是“{”,“}”,“|”,“\”,“^”,“〜”,“[”,“]”和“`”。
因此,只有字母数字,特殊字符“$ -_。+!*'(),”和用于保留目的的保留字符可以在URL中以未编码的方式使用。
您应该编码要添加的单个字符,或者通过URL编码器运行整个字符串。试试这个:
new URL("http://abc.com:123/abc%5D.mp3").getPort();
答案 3 :(得分:0)
字符串encodedURL =新URI(“http”,null,“// abc.com:8080 / abc [d]。.jpg”,null,null).toASCIIString();
答案 4 :(得分:0)
这是一种从可能与HTTP不同的URL中提取端口的简单方法,例如JNDI连接URL:
int port = 80; // assumption of default port in the URL
Pattern p = Pattern.compile(":\\d+"); // look for the first occurrence of colon followed by a number
Matcher matcher = p.matcher(urlSrtr);
if (matcher.find()) {
String portStrWithColon = matcher.group();
if (portStrWithColon.length() > 1) {
String portStr = portStrWithColon.substring(1);
try {
port = Integer.parseInt(portStr);
} catch (NumberFormatException e) {
// handle
}
}
}
return port;