如何使用TrueZip压缩文件?

时间:2013-04-19 03:34:41

标签: java truezip

我有一个文件,让我们说C:\source.dat。我想将其压缩为zip文件C:\folder\destination.zip

我找不到一个直截了当的例子,Maven项目提供的HelloWorld并不适用于我的情况,因为我没有写一个纯文本文件,所以希望有人可以启发我。

供参考,示例中提供的代码:

@Override
protected int work(String[] args) throws IOException {
    // By default, ZIP files use character set IBM437 to encode entry names
    // whereas JAR files use UTF-8.
    // This can be changed by configuring the respective archive driver,
    // see Javadoc for TApplication.setup().
    final Writer writer = new TFileWriter(
            new TFile("archive.zip/dir/HälloWörld.txt"));
    try {
        writer.write("Hello world!\n");
    } finally {
        writer.close();
    }
    return 0;
}

2 个答案:

答案 0 :(得分:3)

这很简单:

new TFile("source.dat").cp(new TFile("destination.zip/source.dat"));

有关更多信息,请参阅http://truezip.java.net/apidocs/de/schlichtherle/truezip/file/TFile.html处的TFile类的Javadoc。

您可能还想尝试在http://truezip.java.net/kick-start/index.html引入的TrueZIP原型文件*。原型生成许多示例程序,您应该探索这些程序以了解API。

答案 1 :(得分:1)

这是一个很直接的事情。

使用

1. ZipOutputStream - 此类java此类实现了一个输出流过滤器,用于以ZIP文件格式写入文件。包括对压缩和未压缩条目的支持。

官方文档

http://docs.oracle.com/javase/6/docs/api/java/util/zip/ZipOutputStream.html

2. ZipEntry - 此类用于表示ZIP文件条目。

http://docs.oracle.com/javase/1.5.0/docs/api/java/util/zip/ZipEntry.html

import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.util.zip.ZipEntry;
import java.util.zip.ZipOutputStream;

public class ConverToZip {

    public static void main(String[] args) {
        // Take a buffer
        byte[] buffer = new byte[1024];

        try {

            // Create object of FileOutputStream

            FileOutputStream fos = new FileOutputStream("C:\\folder\\destination.zip.");

            // Get ZipOutstreamObject Object
            ZipOutputStream zos = new ZipOutputStream(fos);


            ZipEntry ze = new ZipEntry("source.dat");
            zos.putNextEntry(ze);
            FileInputStream in = new FileInputStream("C:\\source.dat");

            int len;
            while ((len = in .read(buffer)) > 0) {
                zos.write(buffer, 0, len);
            }

            in .close();
            zos.closeEntry();

            //remember close it
            zos.close();

            System.out.println("Done");

        } catch (IOException ex) {
            ex.printStackTrace();
        }
    }
}