0

有什么方法可以更改请求 URL 以指向托管在不同 Web 服务器中的另一个页面?假设我在 Tomcat 中托管了一个页面:

<form action="http://localhost:8080/Test/dummy.jsp" method="Post">
    <input type="text" name="text"></input>
    <input type="Submit" value="submit"/>
</form>

我使用 servlet 过滤器拦截请求:

public void doFilter(ServletRequest req, ServletResponse res, FilterChain chain) throws IOException,ServletException {
    HttpServletRequest request = (HttpServletRequest) req;
    chain.doFilter(req, res);
    return;
}

我想要的是更改请求 URL 以指向托管在另一个 Web 服务器中的 PHP 页面http://localhost/display.php。我知道我可以使用response.sendRedirect,但在我的情况下它不起作用,因为它会丢弃所有 POST 数据。有什么方法可以更改请求 URL,以便chain.doFilter(req, res);将我转发到那个 PHP 页面?

4

1 回答 1

2

默认情况下,HttpServletResponse#sendRedirect()发送一个 HTTP 302 重定向,它确实隐式地创建了一个新的 GET 请求。

您需要一个 HTTP 307 重定向。

response.setStatus(307);
response.setHeader("Location", "http://localhost/display.php");

(我认为http://localhostURL 只是示例性的;这显然在生产中不起作用)

注意:浏览器会在继续之前要求确认。

另一种选择是玩代理:

URLConnection connection = new URL("http://localhost/display.php").openConnection();
connection.setDoOutput(true); // POST
// Copy headers if necessary.

InputStream input1 = request.getInputStream();
OutputStream output1 = connection.getOutputStream();
// Copy request body from input1 to output1.

InputStream input2 = connection.getInputStream();
OutputStream output2 = response.getOutputStream();
// Copy response body from input2 to output2.

注意:您最好为此使用servlet而不是过滤器。

另一种选择是将 PHP 代码移植到 JSP/Servlet 代码。另一种选择是通过诸如 Quercus 之类的 PHP 模块直接在 Tomcat 上运行 PHP。

于 2013-04-11T12:20:41.510 回答