java – 使用Commons IO将目录压缩到zipfile中

前端之家收集整理的这篇文章主要介绍了java – 使用Commons IO将目录压缩到zipfile中前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我是 Java编程的初学者,目前正在编写一个必须能够压缩和解压缩.zip文件的应用程序.我可以使用以下代码使用内置的Java zip功能以及Apache Commons IO库解压缩Java中的zipfile:
public static void decompressZipfile(String file,String outputDir) throws IOException {
    if (!new File(outputDir).exists()) {
        new File(outputDir).mkdirs();
    }
    ZipFile zipFile = new ZipFile(file);
    Enumeration<? extends ZipEntry> entries = zipFile.entries();
    while (entries.hasMoreElements()) {
        ZipEntry entry = entries.nextElement();
        File entryDestination = new File(outputDir,entry.getName());
        if (entry.isDirectory()) {
            entryDestination.mkdirs();
        } else {
            InputStream in = zipFile.getInputStream(entry);
            OutputStream out = new FileOutputStream(entryDestination);
            IoUtils.copy(in,out);
            IoUtils.closeQuietly(in);
            IoUtils.closeQuietly(out);
        }
    }
}

除了我以前使用的外部库之外,我将如何从目录创建zip文件? (Java标准库和Commons IO)

解决方法

以下方法似乎成功地递归压缩目录:
public static void compressZipfile(String sourceDir,String outputFile) throws IOException,FileNotFoundException {
    ZipOutputStream zipFile = new ZipOutputStream(new FileOutputStream(outputFile));
    compressDirectoryToZipfile(sourceDir,sourceDir,zipFile);
    IoUtils.closeQuietly(zipFile);
}

private static void compressDirectoryToZipfile(String rootDir,String sourceDir,ZipOutputStream out) throws IOException,FileNotFoundException {
    for (File file : new File(sourceDir).listFiles()) {
        if (file.isDirectory()) {
            compressDirectoryToZipfile(rootDir,sourceDir + File.separator + file.getName(),out);
        } else {
            ZipEntry entry = new ZipEntry(sourceDir.replace(rootDir,"") + file.getName());
            out.putNextEntry(entry);

            FileInputStream in = new FileInputStream(sourceDir + file.getName());
            IoUtils.copy(in,out);
            IoUtils.closeQuietly(in);
        }
    }
}

正如我的压缩代码片段所示,我正在使用IoUtils.copy()来处理流数据传输.

原文链接:https://www.f2er.com/java/124147.html

猜你在找的Java相关文章