我有servlet可以从doGet()内部的oracle数据库检索图像,它可以正常工作,但是使用printwriter()时,代码不起作用。

protected void doGet(HttpServletRequest request, HttpServletResponse response)
      throws ServletException, IOException {
     response.setContentType("text/html;charset=UTF-8");PrintWriter out = response.getWriter();

     String id = request.getParameter("submit");
    try {

        Class.forName("oracle.jdbc.driver.OracleDriver");
        Connection con = DriverManager.getConnection("jdbc:oracle:thin:@localhost:1521:xe", "APP_DB", "1234");
        PreparedStatement ps = con.prepareStatement("select photo from photos where id = ?");
        ps.setString(1, id);
        ResultSet rs = ps.executeQuery();
        rs.next();
        Blob b = rs.getBlob("photo");
        response.setContentType("image/jpeg");
        response.setContentLength((int) b.length());
        InputStream is = b.getBinaryStream();
        OutputStream os = response.getOutputStream();
        byte buf[] = new byte[(int) b.length()];
        is.read(buf);
        os.write(buf);
         os.close();
        out.print("<a href='DisplyExcServlet'>visit</a>");//does not work

    } catch (Exception ex) {
        System.out.println(ex.getMessage());
    }

最佳答案

在同一调用中同时使用getServletOutputStream()getWriter()是非法的。您只能使用一个。

这就是Java Doc所说的:


getOutputStream ...

ServletOutputStream getOutputStream()引发IOException

返回适合于在响应中写入二进制数据的ServletOutputStream。
Servlet容器不对二进制数据进行编码。

在ServletOutputStream上调用flush()会提交响应。
可以调用此方法或getWriter()来编写正文,而不能同时调用两者。

返回:用于写入二进制数据的ServletOutputStream
抛出:IllegalStateException-如果已对此响应调用getWriter方法。

09-26 17:02