如何在java中提取zip文件中的特定文件

2022-09-04 05:33:25

我需要在系统中向客户提供zip文件的视图,并允许客户下载所选文件。

  1. 解析 zip 文件并显示在网页上。并记住后端中的每个 zipentry 位置(例如 file1 从字节 100、宽 1024 字节开始)。
  2. 当客户单击下载按钮时下载指定的文件。

现在我已经记住了所有zipentry位置,但是是否有java zip工具可以解压缩zip文件的指定位置?API 就像 unzip(file, long entryStart, long entryLength) 一样;


答案 1

这可以在不弄乱使用Java 7的NIO2的字节数组或输入流的情况下完成:

public void extractFile(Path zipFile, String fileName, Path outputFile) throws IOException {
    // Wrap the file system in a try-with-resources statement
    // to auto-close it when finished and prevent a memory leak
    try (FileSystem fileSystem = FileSystems.newFileSystem(zipFile, null)) {
        Path fileToExtract = fileSystem.getPath(fileName);
        Files.copy(fileToExtract, outputFile);
    }
}

答案 2

您可以使用以下代码从zip中提取特定文件:-

public static void main(String[] args) throws Exception{
        String fileToBeExtracted="fileName";
        String zipPackage="zip_name_with_full_path";
        OutputStream out = new FileOutputStream(fileToBeExtracted);
        FileInputStream fileInputStream = new FileInputStream(zipPackage);
        BufferedInputStream bufferedInputStream = new BufferedInputStream(fileInputStream );
        ZipInputStream zin = new ZipInputStream(bufferedInputStream);
        ZipEntry ze = null;
        while ((ze = zin.getNextEntry()) != null) {
            if (ze.getName().equals(fileToBeExtracted)) {
                byte[] buffer = new byte[9000];
                int len;
                while ((len = zin.read(buffer)) != -1) {
                    out.write(buffer, 0, len);
                }
                out.close();
                break;
            }
        }
        zin.close();

    }

另请参阅此链接:如何从远程存档文件中提取单个文件?


推荐