文件下载时出错

时间:2014-04-08 06:06:13

标签: java excel download

在我的servlet中,我正在使用cookie传递文件路径并下载文件,如下所示

protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
    // TODO Auto-generated method stub
    String b = null;
    Cookie[] cookies = request.getCookies();
    if (cookies != null) {
         for (Cookie cookie : cookies) {
           if (cookie.getName().equals("thecookie")) {
               b = cookie.getValue();
            }
          }
        }

    BufferedReader br = new BufferedReader(new FileReader(b+"/logs.txt"));
    String path = br.readLine();
    br.close();

    File file = new File(path+"/Results.xlsx");
    FileInputStream fileIn = new FileInputStream(file);
    ServletOutputStream out = response.getOutputStream();

    byte[] outputByte = new byte[4096];
    //copy binary contect to output stream
    while(fileIn.read(outputByte, 0, 4096) != -1)
    {
        out.write(outputByte, 0, 4096);
    }
    fileIn.close();
    out.flush();
    out.close();
}

一切正常,文件正在下载但是,我想下载Results.xlsx,正在下载的文件是download.zip,此download.zip的大小与我Results.xlsx相同1}}文件但是没有被excel打开。

我该怎么做?

1 个答案:

答案 0 :(得分:2)

您正在将数据写入输出流,但您没有设置内容类型或文件名。你应该使用:

response.setHeader("Content-Disposition", "attachment; filename=Result.xslx");
response.setContentType(
    "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet");

(在开始写入输出流之前。)

此外,您的流复制循环已被破坏 - 即使您没有读过那么多,您也总是写出4096字节。它应该是:

int bytesRead;
while((bytesRead = fileIn.read(outputByte)) != -1)
{
    out.write(outputByte, 0, byteRead);
}

...你应该使用try-with-resources或finally块来确保你关闭你的流,即使有异常。

(或者使用Guava等库中的实用程序方法。)