我在从相对URL构建绝对URL时遇到问题,而没有诉诸String hackery ......
给出
http://localhost:8080/myWebApp/someServlet
方法内部:
public void handleRequest(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
}
最“正确”的建筑方式是什么:
http://localhost:8080/myWebApp/someImage.jpg
(注意,必须是绝对的,而不是相对的)
目前,我是通过构建字符串来实现的,但必须有更好的方法。
我已经查看了新URI / URL的各种组合,我最终得到了
http://localhost:8080/someImage.jpg
非常感谢
答案 0 :(得分:37)
使用java.net.URL
URL baseUrl = new URL("http://www.google.com/someFolder/");
URL url = new URL(baseUrl, "../test.html");
答案 1 :(得分:4)
怎么样:
String s = request.getScheme() + "://" + request.getServerName() + ":" + request.getServerPort() + request.getContextPath() + "/someImage.jpg";
答案 2 :(得分:1)
看起来你已经找到了困难的部分,这是你正在运行的主机。其余的很简单,
String url = host + request.getContextPath() + "/someImage.jpg";
应该给你你需要的东西。
答案 3 :(得分:0)
此代码将在 linux 上运行,它可以仅合并路径,如果您想要更多,URI的构造函数可能会有所帮助。
URL baseUrl = new URL("http://example.com/first");
URL targetUrl = new URL(baseUrl, Paths.get(baseUrl.getPath(), "second", "/third", "//fourth//", "fifth").toString());
如果您的路径包含需要转义的内容,请首先使用URLEncoder.encode
对其进行转义。
URL baseUrl = new URL("http://example.com/first");
URL targetUrl = new URL(baseUrl, Paths.get(baseUrl.getPath(), URLEncoder.encode(relativePath, StandardCharsets.UTF_8), URLEncoder.encode(filename, StandardCharsets.UTF_8)).toString());
示例:
import java.net.MalformedURLException;
import java.net.URL;
import java.nio.file.Path;
import java.nio.file.Paths;
public class Main {
public static void main(String[] args) {
try {
URL baseUrl = new URL("http://example.com/first");
Path relativePath = Paths.get(baseUrl.getPath(), "second", "/third", "//fourth//", "fifth");
URL targetUrl = new URL(baseUrl, relativePath.toString());
System.out.println(targetUrl.toString());
} catch (MalformedURLException e) {
e.printStackTrace();
}
}
}
输出
http://example.com/first/second/third/fourth/fifth
baseUrl.getPath()
非常重要,请不要忘记它。
一个错误的例子:
import java.net.MalformedURLException;
import java.net.URL;
import java.nio.file.Path;
import java.nio.file.Paths;
public class Main {
public static void main(String[] args) {
try {
URL baseUrl = new URL("http://example.com/first");
Path relativePath = Paths.get("second", "/third", "//fourth//", "fifth");
URL targetUrl = new URL(baseUrl, relativePath.toString());
System.out.println(targetUrl.toString());
} catch (MalformedURLException e) {
e.printStackTrace();
}
}
}
输出
http://example.com/second/third/fourth/fifth
我们在baseurl中丢失了/first
。