4

我有 3 个字符串,每个字符串代表一个txt文件内容,不是从计算机加载的,而是由Java.

String firstFileCon = "firstContent"; //File in .gz: 1.txt
String secondFileCon = "secondContent"; //File in .gz: 2.txt
String thirdFileCon = "thirdContent"; //File in .gz: 3.txt

如何创建一个GZIP包含三个文件的文件,并将压缩文件保存到光盘?

4

3 回答 3

3

要创建一个名为output.zip的 zip 文件,其中包含文件1.txt2.txt3.txt及其内容字符串,请尝试以下操作:

Map<String, String> entries = new HashMap<String, String>();
entries.put("firstContent", "1.txt");
entries.put("secondContent", "2.txt");
entries.put("thirdContent", "3.txt");

FileOutputStream fos = null;
ZipOutputStream zos = null;
try {
    fos = new FileOutputStream("output.zip");

    zos = new ZipOutputStream(fos);

    for (Map.Entry<String, String> mapEntry : entries.entrySet()) {
        ZipEntry entry = new ZipEntry(mapEntry.getValue()); // create a new zip file entry with name, e.g. "1.txt"
        entry.setMethod(ZipEntry.DEFLATED); // set the compression method
        zos.putNextEntry(entry); // add the ZipEntry to the ZipOutputStream
        zos.write(mapEntry.getKey().getBytes()); // write the ZipEntry content
    }
} catch (FileNotFoundException e) {
    // do something
} catch (IOException e) {
    // do something
} finally {
    if (zos != null) {
        zos.close();
    }
}

有关更多信息,请参阅创建 ZIP 和 JAR 文件,特别是压缩文件一章。

于 2013-04-26T20:06:44.840 回答
0

一般来说,GZIP仅用于压缩单个文件(因此为什么java.util.zip.GZIPOutputStream只真正支持单个条目)。

对于多个文件,我建议使用为多个文件设计的格式(如 zip)。 java.util.zip.ZipOutputStream提供了这一点。如果出于某种原因,您真的希望最终结果是 a GZIP,您总是可以创建一个ZIP包含所有 3 个文件的文件,然后将其 GZIP。

于 2013-04-26T19:28:00.253 回答
0

目前尚不清楚您是否只想存储文本或实际的单个文件。我不认为您可以在没有先 TARing 的情况下将多个文件存储在 GZIP 中。这是一个将字符串存储到 GZIP 的示例。也许它会帮助你:

public static void main(String[] args) {
    GZIPOutputStream gos = null;

    try {
        String str = "some string here...";
        File myGzipFile = new File("myFile.gzip");

        InputStream is = new ByteArrayInputStream(str.getBytes());
        gos = new GZIPOutputStream(new FileOutputStream(myGzipFile));

        byte[] buffer = new byte[1024];
        int len;
        while ((len = is.read(buffer)) != -1) {
            gos.write(buffer, 0, len);
        }
    } catch (IOException e) {
        e.printStackTrace();
    } finally {
        try { gos.close(); } catch (IOException e) { }
    }
}
于 2013-04-26T20:22:36.650 回答