3

我正在开发一个只有一个页面(index.jsp)的项目,并且页面的初始加载正在发送 Ajax 请求并检索 JSON 数据。发送到我的 Servlet 和 Servlet 的 AJAX 调用返回 JSON 数据,而我只有一个 Servlet。我正在尝试将一些数据发送到我的 JSP 页面进行填充,所以这就是我编写 Servlet 的方式......

protected void doGet(HttpServletRequest request, HttpServletResponse response) throws  ServletException, IOException {
    response.setContentType("text/html");
    PrintWriter out =response.getWriter();
    String queryString = request.getQueryString();
            ResourceBundle props = ResourceBundle.getBundle("jira");

    XmlMerge xmlMerge = new XmlMerge();
    String mergeFiles=xmlMerge.getJsonData();

    out.println(mergeFiles);
    out.close();
         //Debug Statement
        System.out.println(xmlMerge.getTodo());
        // *THIS IS THE WAY I AM SEND DATA TO JSP PAGE.*
    request.setAttribute("todo", xmlMerge.getTodo());
    request.getRequestDispatcher("/index.jsp").forward(request, response);
}

在我的 index.jsp

<%=(String)request.getAttribute("todo")%>

我正在尝试输出结果。

出了什么问题?

4

1 回答 1

9

我刚刚执行了此更改,它显示了您需要的内容:

  protected void doGet(HttpServletRequest request, HttpServletResponse response)
      throws ServletException, IOException {
    response.setContentType("text/html");
    request.setAttribute("todo", "10");
    request.getRequestDispatcher("/index.jsp").forward(request, response);
  }

这是生成的 index.jsp:

<!DOCTYPE html>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1">
<title>Insert title here</title>
</head>
<body>

<%=(String)request.getAttribute("todo")%>

</body>
</html>

您的 getTodo() 可能有问题。我不知道它是如何工作的,但也许这会有所帮助:

...
XmlMerge xmlMerge = new XmlMerge();
String todo = xmlMerge.getTodo();
...
request.setAttribute("todo", todo);

更新:

PrintWriter out = response.getWriter();
out.println(...);
out.close();

这是您的问题...您正在获取资源并关闭它。这可能会导致非法状态异常问题..

您“不需要” index.jsp 的调度程序。如果您不使用调度程序但想要呈现您的页面,则可以使用以下内容:

  protected void doGet(HttpServletRequest request, HttpServletResponse response)
      throws ServletException, IOException {

    response.setContentType("text/html");
    response.getWriter().write("<html><body>"+getSomething()+"</body></html>");
  }

为什么 index.jsp 不是默认调用?因为甚至可能不存在 index.jsp 文件,它可能是对另一个 servlet 的调用。您可以有一个配置,将对 index.jsp 的调用映射到一个 servlet。

http://tutorials.jenkov.com/java-servlets/web-xml.html

我仍然不知道使用 out.println 的目的是什么,但如果您希望它显示在 jsp 中,您可以将其作为“待办事项”的参数发送:

 request.setAttribute("mergeFiles", mergeFiles);

然后在 jsp 中将其打印为“todo”。

于 2013-10-01T19:01:31.843 回答