0

我正在尝试创建一个页面,用户可以在其中下载一些 .log 文件。这是代码:

if(action.equalsIgnoreCase("download")){
       String file = (String)request.getParameter("file");
       response.setHeader("Content-Disposition",
       "attachment;filename="+file+"");
       response.setContentType("text/plain");

       File down_file = new File("log/"+file);

       FileInputStream fileIn = new FileInputStream(down_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();

       return null;
}

我在哪里做错了?当我点击下载按钮时,它正确地要求我保存文件,但它总是一个 0 字节的文件......

4

2 回答 2

5

这应该做的工作:

public void getFile(final HttpServletResponse response) {
  String file = (String) request.getParameter("file");
  response.setHeader("Content-Disposition",
                     "attachment;filename=" + file);
  response.setContentType("text/plain");

  File down_file = new File("log/" + file);
  FileInputStream fileIn = new FileInputStream(down_file);
  ByteStreams.copy(fileIn, response.getOutputStream());
  response.flushBuffer();

  return null;
}

ByteStreams.copy来自美妙的Google 的 Guava 库

编辑

此外,如果您使用的是 Spring MVC 3.1,您可以以更清洁的方式进行操作(我就是这样做的,结果证明是单行的;)):

@Controller
public final class TestController extends BaseController {

    @RequestMapping(value = "/some/url/for/downloading/files/{file}",
                    produces = "text/plain")
    @ResponseBody
    public byte[] getFile(@PathVariable final String file) throws IOException {
        return Files.toByteArray(new File("log/" + file));
    }

}

并在您的servlet.xml添加转换器中mvc:message-converters

<mvc:annotation-driven>
    <mvc:message-converters>
        <bean class="org.springframework.http.converter.ByteArrayHttpMessageConverter" />
    </mvc:message-converters>
</mvc:annotation-driven>

这样您就可以byte[]从任何@Controller带有注释的方法返回@ResponseBody在此处此处阅读更多信息。

Files.toByteArray也是来自番石榴。

于 2012-08-01T16:20:05.957 回答
2

尝试:

IOUtils.copy(fileIn, response.getOutputStream());
response.flushBuffer();

你可以在这里找到 Apache Commons IO:http: //commons.apache.org/io/

在这里你可以找到IOUtils.copy()参考。

于 2012-08-01T16:12:34.343 回答