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;
}

素晴らしいGoogleのGuavaライブラリByteStreams.copyから来ています。

編集

また、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 に答える