关于后端:java后端向前端返回文件浏览器自动识别实现下载功能

34次阅读

共计 1739 个字符,预计需要花费 5 分钟才能阅读完成。

后端间接向前端返回一个文件,浏览器自动识别实现下载性能

  1. 次要写一个办法,前端传来 response,将数据写入 response,不须要返回数据
  2. 要害就是在 HTTP 响应中设置:
    Content-Disposition
    Content-Type
  • Content-Disposition 头用于批示浏览器如何解决响应的内容。将其设置为 ”attachment; filename=filename.extension” 将通知浏览器以附件的模式下载文件,并将文件保留为指定的文件名。例如,如果您要下载名为 example.pdf 的文件,Content-Disposition 头应该如下所示:

    Content-Disposition: attachment; filename=example.pdf
  • Content-Type 头用于批示响应的内容类型。对于大多数文件,您能够应用 ”application/octet-stream”。例如,如果您要下载一个 PDF 文件,Content-Type 头应该如下所示:

    Content-Type: application/octet-stream

    一旦您的后端返回此响应,浏览器将自动弹出下载对话框,容许用户将文件保留到他们的计算机上。

代码

private void download(String path, HttpServletResponse response) {
        try {
            // path 是指想要下载的文件的门路
            File file = new File(path);
            System.out.println("文件门路:"+file.getPath());
            // 获取文件名
            String filename = file.getName();
            System.out.println("文件名:"+filename);
            // 获取文件后缀名
            String ext = filename.substring(filename.lastIndexOf(".") + 1).toLowerCase();
            System.out.println("文件后缀名:" + ext);

            // 将文件写入输出流
            FileInputStream fileInputStream = new FileInputStream(file);
            InputStream fis = new BufferedInputStream(fileInputStream);
            byte[] buffer = new byte[fis.available()];
            fis.read(buffer);
            fis.close();

            // 清空 response
            response.reset();
            // 设置 response 的 Header
            response.setCharacterEncoding("UTF-8");
            //Content-Disposition 的作用:告知浏览器以何种形式显示响应返回的文件,用浏览器关上还是以附件的模式下载到本地保留
            //attachment 示意以附件形式下载 inline 示意在线关上 "Content-Disposition: inline; filename= 文件名.mp3"
            // filename 示意文件的默认名称,因为网络传输只反对 URL 编码的相干领取,因而须要将文件名 URL 编码后进行传输, 前端收到后须要反编码能力获取到真正的名称
            response.addHeader("Content-Disposition", "attachment;filename=" + URLEncoder.encode(filename, "UTF-8"));
// 告知浏览器文件的大小
            response.addHeader("Content-Length", "" + file.length());
            OutputStream outputStream = new BufferedOutputStream(response.getOutputStream());
            response.setContentType("application/octet-stream");
            outputStream.write(buffer);
            outputStream.flush();} catch (IOException ex) {ex.printStackTrace();
        }
    }

正文完
 0