如何在 Java 中创建 zip 文件

2022-08-31 06:58:04

我有一个动态文本文件,它根据用户的查询从数据库中选取内容。我必须将此内容写入文本文件并将其压缩到servlet的文件夹中。我应该怎么做?


答案 1

请看这个例子:

StringBuilder sb = new StringBuilder();
sb.append("Test String");

File f = new File("d:\\test.zip");
ZipOutputStream out = new ZipOutputStream(new FileOutputStream(f));
ZipEntry e = new ZipEntry("mytext.txt");
out.putNextEntry(e);

byte[] data = sb.toString().getBytes();
out.write(data, 0, data.length);
out.closeEntry();

out.close();

这将在 named 的根中创建一个 zip,其中包含一个名为 .当然,您可以添加更多 zip 条目,也可以指定如下子目录:D:test.zipmytext.txt

ZipEntry e = new ZipEntry("folderName/mytext.txt");

您可以在此处找到有关使用 Java 进行压缩的更多信息。


答案 2

Java 7内置了ZipFileSystem,可用于从zip文件创建,写入和读取文件。

Java Doc: ZipFileSystem Provider

Map<String, String> env = new HashMap<>();
// Create the zip file if it doesn't exist
env.put("create", "true");

URI uri = URI.create("jar:file:/codeSamples/zipfs/zipfstest.zip");

try (FileSystem zipfs = FileSystems.newFileSystem(uri, env)) {
    Path externalTxtFile = Paths.get("/codeSamples/zipfs/SomeTextFile.txt");
    Path pathInZipfile = zipfs.getPath("/SomeTextFile.txt");          
    // Copy a file into the zip file
    Files.copy(externalTxtFile, pathInZipfile, StandardCopyOption.REPLACE_EXISTING); 
}

推荐