使用Java组合压缩的Gzipped文本文件



我的问题可能与Java无关,但我目前正在寻找一种方法来组合几个压缩(gzipped)文本文件,而不需要手动重新压缩它们。假设我有4个文件,所有的文本都是用gzip压缩的,并且希望将它们压缩成一个*.gz文件,而不需要对它们进行de+重新压缩。我目前的方法是打开一个InputStream并逐行解析文件,存储在GZIPoutputstream中,这很有效,但速度不是很快。。。。我当然也可以打电话给

    zcat file1 file2 file3 | gzip -c > output_all_four.gz

这也可行,但也不是很快。

我的想法是复制输入流并直接将其写入outputstream,而无需"解析"流,因为我实际上不需要操作任何内容。这样的事情可能发生吗?

在下面找到一个简单的Java解决方案(它与我的cat ...示例相同)。为了保持代码的精简,省略了对输入/输出的任何缓冲。

public class ConcatFiles {
    public static void main(String[] args) throws IOException {
        // concatenate the single gzip files to one gzip file
        try (InputStream isOne = new FileInputStream("file1.gz");
                InputStream isTwo = new FileInputStream("file2.gz");
                InputStream isThree = new FileInputStream("file3.gz");
                SequenceInputStream sis =  new SequenceInputStream(new SequenceInputStream(isOne, isTwo), isThree);
                OutputStream bos = new FileOutputStream("output_all_three.gz")) {
            byte[] buffer = new byte[8192];
            int intsRead;
            while ((intsRead = sis.read(buffer)) != -1) {
                bos.write(buffer, 0, intsRead);
            }
            bos.flush();
        }
        // ungezip the single gzip file, the output contains the
        // concatenated input of the single uncompressed files 
        try (GZIPInputStream gzipis = new GZIPInputStream(new FileInputStream("output_all_three.gz"));
                OutputStream bos = new FileOutputStream("output_all_three")) {
            byte[] buffer = new byte[8192];
            int intsRead;
            while ((intsRead = gzipis.read(buffer)) != -1) {
                bos.write(buffer, 0, intsRead);
            }
            bos.flush();
        }
    }
}

如果您只需要对许多压缩文件进行gzip,则上述方法可以工作。在我的案例中,我制作了一个web servlet,响应时间为20-30 KB。所以我发送了快速回复。

我尝试在服务器上压缩所有单独的JS文件,然后使用上面的方法添加动态代码运行时。我可以在日志文件中打印整个响应,但chrome只能解压缩第一个文件。Rest输出以字节为单位。

经过研究,我发现这是不可能的铬和他们关闭了错误也没有解决它

https://bugs.chromium.org/p/chromium/issues/detail?id=20884

相关内容

  • 没有找到相关文章

最新更新