我正在编写下载servlet,它读取一个html文件并写入servletOutputStream
,问题就在传输的文件中,它正在添加一些垃圾数据,对此有任何建议,
下面是我正在使用的代码
int BUFFER_SIZE = 1024 * 8;
servOut = response.getOutputStream();
bos = new BufferedOutputStream(servOut);
fileObj = new File(file);
fileToDownload = new FileInputStream(fileObj);
bis = new BufferedInputStream(fileToDownload);
response.setContentType("application/text/html");
response.setHeader("ContentDisposition","attachment;filename="+dump+".html");
byte[] barray = new byte[BUFFER_SIZE];
while ((bis.read(barray, 0, BUFFER_SIZE)) != -1) {
bos.write(barray, 0, BUFFER_SIZE);
}
bos.flush();
答案 0 :(得分:3)
bis.read
返回读取的字节数。您需要在write
来电中考虑这一点。
类似的东西:
int rd;
while ((rd=bis.read(...)) != -1) {
bos.write(..., rd);
}
答案 1 :(得分:3)
问题在于您的代码的以下部分:
while ((bis.read(barray, 0, BUFFER_SIZE)) != -1) {
bos.write(barray, 0, BUFFER_SIZE);
}
即使输入的大小不是BUFFER_SIZE
的倍数,您也总是写出BUFFER_SIZE
个字节的多个。这导致在最后一个块的末尾写入垃圾。
你可以这样解决它:
int read;
while ((read = bis.read(barray, 0, BUFFER_SIZE)) != -1) {
bos.write(barray, 0, read);
}