5

我正在使用以下方法将文件压缩为 zip 文件:

import java.util.zip.CRC32;
import java.util.zip.ZipEntry;
import java.util.zip.ZipOutputStream;

public static void doZip(final File inputfis, final File outputfis) throws IOException {

    FileInputStream fis = null;
    FileOutputStream fos = null;

    final CRC32 crc = new CRC32();
    crc.reset();

    try {
        fis = new FileInputStream(inputfis);
        fos = new FileOutputStream(outputfis);
        final ZipOutputStream zos = new ZipOutputStream(fos);
        zos.setLevel(6);
        final ZipEntry ze = new ZipEntry(inputfis.getName());
        zos.putNextEntry(ze);
        final int BUFSIZ = 8192;
        final byte inbuf[] = new byte[BUFSIZ];
        int n;
        while ((n = fis.read(inbuf)) != -1) {
            zos.write(inbuf, 0, n);
            crc.update(inbuf);
        }
        ze.setCrc(crc.getValue());
        zos.finish();
        zos.close();
    } catch (final IOException e) {
        throw e;
    } finally {
        if (fis != null) {
            fis.close();
        }
        if (fos != null) {
            fos.close();
        }
    }
}

我的问题是我有包含内容N°TICKET的平面文本文件,例如,压缩结果在未压缩时会给出一些奇怪的字符N° TICKET。也不支持é和等字符。à

我猜这是由于字符编码,但我不知道如何在我的 zip 方法中将其设置为ISO-8859-1

(我在 Windows 7、Java 6 上运行)

4

3 回答 3

6

您正在使用的流准确地写入了它们给出的字节。写入器解释字符数据并将其转换为相应的字节,而读取器则相反。Java(至少在版本 6 中)没有提供一种简单的方法来混合和匹配压缩数据上的操作以及写入字符。

这种方式虽然可行。然而,它有点笨拙。

File inputFile = new File("utf-8-data.txt");
File outputFile = new File("latin-1-data.zip");

ZipEntry entry = new ZipEntry("latin-1-data.txt");

BufferedReader reader = new BufferedReader(new FileReader(inputFile));

ZipOutputStream zipStream = new ZipOutputStream(new FileOutputStream(outputFile));
BufferedWriter writer = new BufferedWriter(
    new OutputStreamWriter(zipStream, Charset.forName("ISO-8859-1"))
);

zipStream.putNextEntry(entry);

// this is the important part:
// all character data is written via the writer and not the zip output stream
String line = null;
while ((line = reader.readLine()) != null) {
    writer.append(line).append('\n');
}
writer.flush(); // i've used a buffered writer, so make sure to flush to the
// underlying zip output stream

zipStream.closeEntry();
zipStream.finish();

reader.close(); 
writer.close();
于 2012-10-08T18:35:22.567 回答
4

Afaik 这在 Java 6 中不可用。

但我相信http://commons.apache.org/compress/可以提供解决方案。

切换到 Java 7 提供了一个新的构造函数,该构造函数将其编码为附加参数。

https://blogs.oracle.com/xuemingshen/entry/non_utf_8_encoding_in

zipStream = new ZipInputStream(
    new BufferedInputStream(new FileInputStream(archiveFile), BUFFER_SIZE),
    Charset.forName("ISO-8859-1")
于 2012-10-08T17:33:52.150 回答
0

尝试使用 org.apache.commons.compress.archivers.zip.ZipFile;不是java自己的库,所以你可以像这样给出编码:

导入 org.apache.commons.compress.archivers.zip.ZipFile;

ZipFile zipFile = new ZipFile(filepath,encoding);

于 2014-06-17T07:25:24.360 回答