13

我有一个从多个域提供的 Tomcat 应用程序。以前的开发人员构建了一个方法来返回应用程序 URL(见下文)。在方法中,他们请求服务器名称 ( request.getServerName()),相应地,它从httpd.conf文件返回ServerName 。

但是,我不希望那样。我想要的是浏览器将请求发送到的主机名,即浏览器从哪个域访问应用程序。

我试过getHeader("Host")了,但这仍然返回httpd.conf文件中设置的ServerName 。

而不是request.getServerName(),我应该使用什么来获取浏览器将请求发送到的服务器名称?

例如:

  • httpd.conf中的服务器名称:www.myserver.net
  • 用户访问www.yourserver.net上的 Tomcat 应用程序

我需要返回www.yourserver.net而 不是 www.myserver.net。该request.getServerName()调用似乎只返回www.myserver.net

/**
 * Convenience method to get the application's URL based on request
 * variables.
 * 
 * @param request the current request
 * @return URL to application
 */
public static String getAppURL(HttpServletRequest request) {
    StringBuffer url = new StringBuffer();
    int port = request.getServerPort();
    if (port < 0) {
        port = 80; // Work around java.net.URL bug
    }
    String scheme = request.getScheme();
    url.append(scheme);
    url.append("://");
    url.append(request.getServerName());
    if (("http".equals(scheme) && (port != 80)) || ("https".equals(scheme) && (port != 443))) {
        url.append(':');
        url.append(port);
    }
    url.append(request.getContextPath());
    return url.toString();
}

提前致谢!

4

4 回答 4

17

您需要确保将客户端提供httpd的标头传递Host给 Tomcat。最简单的方法(假设您正在使用mod_proxy_http-您没有说)是使用以下方法:

ProxyPreserveHost On
于 2012-05-02T08:59:12.560 回答
5

使用我在这个演示 JSP 中所做的事情怎么样?

<%
  String requestURL = request.getRequestURL().toString();
  String servletPath = request.getServletPath();
  String appURL = requestURL.substring(0, requestURL.indexOf(servletPath));
%>
appURL is <%=appURL%>
于 2012-05-02T03:24:25.123 回答
1

也许与这个问题无关。如果您使用的是 tomcat,则可以在请求标头中指定任何 Host 字符串,甚至是 javascript 之类的<script>alert(document.cookie);</script>

然后它可以显示在页面上。:

<p> host name is : <%= request.getServerName() %> </p>

所以你需要在使用它之前进行验证。

于 2016-09-06T22:18:41.390 回答
-1

这确实是非常有问题的,因为有时您甚至不知道您希望成为完全合格域的主机已被删除到哪里。@rickz 提供了一个很好的解决方案,但这是我认为更完整的另一个解决方案,涵盖了许多不同的 url:

基本上,您先剥离协议(http://、https://、ftp://、...),然后是端口(如果存在),然后是整个 URI。这为您提供了顶级域和子域的完整列表。

String requestURL = request.getRequestURL().toString();
String withoutProtocol = requestURL.replaceAll("(.*\\/{2})", "")
String withoutPort = withoutProtocol.replaceAll("(:\\d*)", "") 
String domain = withoutPort.replaceAll("(\\/.*)", "")

我在 scala 中使用内联方法定义做到了这一点,但上面的代码更冗长,因为我发现在纯 java 中发布解决方案更好。因此,如果您为此创建方法,则可以将它们链接起来以执行以下操作:

removeURI(removePort(removeProtocol(requestURL)))
于 2012-06-30T19:04:43.623 回答