我的代码有问题:
private static String compress(String str)
{
String str1 = null;
ByteArrayOutputStream bos = null;
try
{
bos = new ByteArrayOutputStream();
BufferedOutputStream dest = null;
byte b[] = str.getBytes();
GZIPOutputStream gz = new GZIPOutputStream(bos,b.length);
gz.write(b,0,b.length);
bos.close();
gz.close();
}
catch(Exception e) {
System.out.println(e);
e.printStackTrace();
}
byte b1[] = bos.toByteArray();
return new String(b1);
}
private static String deCompress(String str)
{
String s1 = null;
try
{
byte b[] = str.getBytes();
InputStream bais = new ByteArrayInputStream(b);
GZIPInputStream gs = new GZIPInputStream(bais);
ByteArrayOutputStream baos = new ByteArrayOutputStream();
int numBytesRead = 0;
byte [] tempBytes = new byte[6000];
try
{
while ((numBytesRead = gs.read(tempBytes, 0, tempBytes.length)) != -1)
{
baos.write(tempBytes, 0, numBytesRead);
}
s1 = new String(baos.toByteArray());
s1= baos.toString();
}
catch(ZipException e)
{
e.printStackTrace();
}
}
catch(Exception e) {
e.printStackTrace();
}
return s1;
}
public String test() throws Exception
{
String str = "teststring";
String cmpr = compress(str);
String dcmpr = deCompress(cmpr);
}
此代码抛出java.io.IOException:未知格式(幻数ef1f)
GZIPInputStream gs = new GZIPInputStream(bais);
事实证明,当转换字节new String (b1)
和byte b [] = str.getBytes ()
字节被“破坏”时。在该行的输出处,我们已经有更多的字节。如果你避免转换为字符串并使用字节处理行 - 一切正常。抱歉我的英文。
public String unZip(String zipped) throws DataFormatException, IOException {
byte[] bytes = zipped.getBytes("WINDOWS-1251");
Inflater decompressed = new Inflater();
decompressed.setInput(bytes);
byte[] result = new byte[100];
ByteArrayOutputStream buffer = new ByteArrayOutputStream();
while (decompressed.inflate(result) != 0)
buffer.write(result);
decompressed.end();
return new String(buffer.toByteArray(), charset);
}
我使用此功能解压缩服务器响应。谢谢你的帮助。
答案 0 :(得分:8)
你有两个问题:
String(byte[])
构造函数来尝试将压缩结果的不透明二进制数据表示为字符串。该构造函数仅适用于编码文本的数据......这不是。您应该使用base64。有一个public domain base64 library使这很容易。 (或者,根本不要将压缩数据转换为文本 - 只返回一个字节数组。)从根本上说,您需要了解不同的文本和二进制数据是什么 - 当您想要在两者之间进行转换时,您应该仔细阅读。如果你想代表"非文字"在字符串中你应该使用像base64或hex这样的字符串中的二进制数据(即,不是
此外,您的代码中的异常处理很差:
Exception
;抓住更具体的例外答案 1 :(得分:2)
当你GZIP压缩数据时,你总是得到二进制数据。此数据无法转换为字符串,因为它不是有效的字符数据(在任何编码中)。
所以你的 compress 方法应该返回一个字节数组,你的解压缩方法应该以字节数组作为参数。
此外,我建议您在压缩之前将字符串转换为字节数组并再次将解压缩数据转换为字符串时使用显式编码。
答案 2 :(得分:0)
当你GZIP压缩数据时,你总是得到二进制数据。这个数据 无法转换为字符串,因为它没有有效的字符数据(in 任何编码)。
Codo是对的,非常感谢我的启发。我试图解压缩一个字符串(从二进制数据转换)。我修改的是直接在我的http连接返回的输入流上使用InflaterInputStream。 (我的应用程序正在检索大量的JSON字符串)