new*_*bie 43 java servlets download
我该如何实现简单的文件下载servlet?
这个想法是,通过GET请求index.jsp?filename=file.txt,用户可以下载例如.file.txt从文件servlet和文件servlet将该文件上传到用户.
我能够获取文件,但是如何实现文件下载?
Ali*_*wan 63
假设您可以访问servlet,如下所示
http://localhost:8080/myapp/download?id=7
Run Code Online (Sandbox Code Playgroud)
我需要创建一个servlet并将其注册到web.xml
web.xml中
<servlet>
<servlet-name>DownloadServlet</servlet-name>
<servlet-class>com.myapp.servlet.DownloadServlet</servlet-class>
</servlet>
<servlet-mapping>
<servlet-name>DownloadServlet</servlet-name>
<url-pattern>/download</url-pattern>
</servlet-mapping>
Run Code Online (Sandbox Code Playgroud)
DownloadServlet.java
public class DownloadServlet extends HttpServlet {
protected void doGet( HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
String id = request.getParameter("id");
String fileName = "";
String fileType = "";
// Find this file id in database to get file name, and file type
// You must tell the browser the file type you are going to send
// for example application/pdf, text/plain, text/html, image/jpg
response.setContentType(fileType);
// Make sure to show the download dialog
response.setHeader("Content-disposition","attachment; filename=yourcustomfilename.pdf");
// Assume file name is retrieved from database
// For example D:\\file\\test.pdf
File my_file = new File(fileName);
// This should send the file to browser
OutputStream out = response.getOutputStream();
FileInputStream in = new FileInputStream(my_file);
byte[] buffer = new byte[4096];
int length;
while ((length = in.read(buffer)) > 0){
out.write(buffer, 0, length);
}
in.close();
out.flush();
}
}
Run Code Online (Sandbox Code Playgroud)
Chs*_*y76 52
那要看.如果通过HTTP服务器或servlet容器公开提供所述文件,则只需重定向到via即可response.sendRedirect().
如果不是,则需要手动将其复制到响应输出流:
OutputStream out = response.getOutputStream();
FileInputStream in = new FileInputStream(my_file);
byte[] buffer = new byte[4096];
int length;
while ((length = in.read(buffer)) > 0){
out.write(buffer, 0, length);
}
in.close();
out.flush();
Run Code Online (Sandbox Code Playgroud)
当然,您需要处理适当的例外情况.
Sor*_*ter 11
File file = new File("Foo.txt");
try (PrintStream ps = new PrintStream(file)) {
ps.println("Bar");
}
response.setContentType("application/octet-stream");
response.setContentLength((int) file.length());
response.setHeader( "Content-Disposition",
String.format("attachment; filename=\"%s\"", file.getName()));
OutputStream out = response.getOutputStream();
try (FileInputStream in = new FileInputStream(file)) {
byte[] buffer = new byte[4096];
int length;
while ((length = in.read(buffer)) > 0) {
out.write(buffer, 0, length);
}
}
out.flush();
Run Code Online (Sandbox Code Playgroud)