阅读量:0
你可以使用Java的ZipOutputStream类来压缩文件夹下的所有文件。以下是一个示例代码:
import java.io.*; import java.util.zip.ZipEntry; import java.util.zip.ZipOutputStream; public class FileCompression { public static void main(String[] args) { String sourceFolder = "path/to/source/folder"; String zipFile = "path/to/output/zip/file.zip"; try { FileOutputStream fos = new FileOutputStream(zipFile); ZipOutputStream zos = new ZipOutputStream(fos); // 压缩文件夹下的所有文件 File folder = new File(sourceFolder); compressFolder(folder, folder.getName(), zos); zos.close(); fos.close(); System.out.println("文件夹压缩完成。"); } catch (IOException e) { e.printStackTrace(); } } private static void compressFolder(File folder, String parentFolder, ZipOutputStream zos) throws IOException { for (File file : folder.listFiles()) { if (file.isDirectory()) { compressFolder(file, parentFolder + "/" + file.getName(), zos); continue; } FileInputStream fis = new FileInputStream(file); ZipEntry zipEntry = new ZipEntry(parentFolder + "/" + file.getName()); zos.putNextEntry(zipEntry); byte[] buffer = new byte[1024]; int length; while ((length = fis.read(buffer)) > 0) { zos.write(buffer, 0, length); } fis.close(); } } }
在上述代码中,你需要将sourceFolder
变量设置为要压缩的文件夹的路径,将zipFile
变量设置为输出的压缩文件的路径。然后,通过调用compressFolder
方法递归地压缩文件夹下的所有文件。压缩后的文件将保存在zipFile
路径下。
请注意,以上代码只是一个简单的示例,可能需要根据你的具体需求进行适当的修改和错误处理。