5

给定部署在 Tomcat 下的 JAX-RS Web 服务,如何通过指定 URL 来使某些文件直接从浏览器访问http://site/path/file

假设我有返回 HTML 网页的 Web 服务方法,我需要在该页面中加载存储在 Web 服务目录中的 CSS 文件或图像文件。例如:

@GET
@Path("/")
@Produces(MediaType.TEXT_HTML)
public synchronized String root() {
    String head = "<head><link href=\"path/style.css\" rel=\"stylesheet\"></head>";
    String head = "<body><img src=\"path/image.jpg\"/></body>";
    return "<html>"+ head + body + "<html>";
}

我应该将文件放在 Web 服务目录(WebContentMETA-INFWEB-INF等)中的什么位置以及我应该在 html 页面中放置什么路径?

4

1 回答 1

2

您基本上有三个选择:绝对、相对或根链接

如果您将文件作为外部资源,则绝对链接可以工作。相对 URL 在大多数情况下对于样式、脚本或图像等静态资源来说是个难题,因为它们必须从引用它们的位置开始解析(它们可以是各种形式,例如images/image.jpg, ../image.jpg, ../images/image.jpg等)。

因此,一种首选方法是在应用程序中的已知位置放置样式、脚本或图像,并使用根链接(以斜杠为前缀的 URL)访问它,例如/Images/image.jpg.

您的文件夹必须位于应用程序的文件夹中(WebContent在您的问题中)。在 WEB-INF 下放置一些东西会隐藏资源,客户端无法再访问它。

这些链接解析到应用程序的根目录,因此您必须考虑上下文路径。一个基本的例子是这样的:

@GET
@Path("whatever_path_might_be")
@Produces(MediaType.TEXT_HTML
public String root(@Context ServletContext ctx) {
    String ctxPath = ctx.getContextPath();
    String stylesFolder = ctxPath + "/Styles";
    String imagesFolder = ctxPath + "/Images";

    String head = "<head><link href=\"" + stylesFolder + "/style.css\" rel=\"stylesheet\"></head>";
    String body = "<body><img src=\"" + imagesFolder + "/image.jpg\"/></body>";
    return "<html>"+ head + body + "<html>";
}

这是一个基本示例,我相信您可以找到改进它的方法。您可以将这些路径放在 .properties 文件中并作为常规配置加载。这稍后将允许您从以下内容切换:

resources.cssFolder=/appcontext/styles
resources.imgFolder=/appcontext/images

类似于:

resources.cssFolder=http://external.server.com/styles
resources.imgFolder=http://external.server.com/images

无需更改一行代码。

于 2013-03-14T21:40:17.363 回答