下载BLOB文件没有数据

时间:2014-12-01 16:45:46

标签: java mysql jsp servlets blob

我正在尝试从MySQL下载BLOB数据,但我能得到的只是1 KB大小的文件。 我有一个包含复选框的表,我正在寻找已检查的表。值是ID。 这是代码:

public class FileDownloadServlet extends HttpServlet {

    @Override
    protected void doGet(HttpServletRequest request, HttpServletResponse response)
            throws ServletException, IOException {
        DBConnection DBC = new DBConnection();
        Connection con = DBC.connection();
        String[] checkBoxValues = request.getParameterValues("files");

        for (int i = 0; i < checkBoxValues.length; i++) {
            String fileDL = "select * from uploads where file_id='"+checkBoxValues[i]+"'";
            try {
                Statement st = con.createStatement();
                ResultSet rs = st.executeQuery(fileDL);
                while(rs.next()){
                    String fileName = rs.getString("file_name");
                    Blob blob = rs.getBlob("file");
                    InputStream input = blob.getBinaryStream();

                    int fileSize = (int) blob.length();
                    System.out.println(fileSize);

                    ServletContext context = getServletContext();
                    String mimeType = context.getMimeType(fileName);

                    if (mimeType == null) {        
                        mimeType = "application/octet-stream";
                    }

                    response.setContentType(mimeType);
                    response.setContentLength(fileSize);
                    String headerKey = "Content-Disposition";
                    String headerValue = String.format("attachment; filename=\"%s\"", fileName);
                    response.setHeader(headerKey, headerValue);

                    OutputStream output = response.getOutputStream();

                    byte[] buffer = new byte[4096];
                    int bytesRead = -1;

                    while ((bytesRead = input.read(buffer)) != -1) {
                        output.write(buffer, 0, bytesRead);
                    }
                    input.close();
                    output.close();         
                    }

            } catch (SQLException ex) {
                Logger.getLogger(FileDownloadServlet.class.getName()).log(Level.SEVERE, null, ex);
            }
        } 
    }
}

我不知道我哪里出错了。提前谢谢!

1 个答案:

答案 0 :(得分:0)

output.write(buffer, 0, bytesRead)

始终使用相同的偏移量。你永远不会在你的结果流中前进。您必须将偏移量增加bytesRead

编辑:说明

您正在使用https://docs.oracle.com/javase/7/docs/api/java/io/OutputStream.html#write%28byte[],%20int,%20int%29 此方法将buffer中的字节写入输出流,从位置0开始。 现在,在下一次迭代中,您将读取下一个4k字节并再次将其写入输出流。但是你的偏移没有改变,所以你没有追加新的缓冲区内容,但是覆盖了预先写好的字节,因为你说再次从位置0开始写。因此,您需要使用先前写入的相同字节数来提前偏移。

编辑:剧透

所以这是扰流板:

int bytesRead = -1;
int offset = 0;
while ((bytesRead = input.read(buffer)) != -1) {
    output.write(buffer, offset, bytesRead);
    offset += bytesRead;
}

未经测试。

另外,为什么要用4k块写? 为什么不呢

byte[] buffer = new byte[1];
while (input.read(buffer) > 0) {
    output.write(buffer);
}