我正在尝试从生产者和使用者环境(仅接受字符串作为参数)压缩和解压缩字符串。
因此,在压缩字符串之后,我将压缩的字节数组转换为字符串,然后将其传递给生产者。 然后在使用者部分,我将字符串取回,转换为字节数组,然后从字节解压缩字符串。
如果我使用byte []而不是转换为字符串,则可以正常工作。但是我需要转换为字符串,反之亦然。
这是我的代码:
public class Compression {
public static void main(String[] args) throws Exception{
// TODO Auto-generated method stub
String strToCompress = "Helloo!! ";
byte[] compressedBytes = compress(strToCompress);
String compressedStr = new String(compressedBytes, StandardCharsets.UTF_8);
byte[] bytesToDecompress = compressedStr.getBytes(StandardCharsets.UTF_8);
String decompressedStr = decompress(bytesToDecompress);
System.out.println("Compressed Bytes : "+Arrays.toString(compressedBytes));
System.out.println("Decompressed String : "+decompressedStr);
}
public static byte[] compress(final String str) throws IOException {
if ((str == null) || (str.length() == 0)) {
return null;
}
ByteArrayOutputStream obj = new ByteArrayOutputStream();
GZIPOutputStream gzip = new GZIPOutputStream(obj);
gzip.write(str.getBytes("UTF-8"));
gzip.flush();
gzip.close();
return obj.toByteArray();
}
public static String decompress(final byte[] compressed) throws IOException {
final StringBuilder outStr = new StringBuilder();
if ((compressed == null) || (compressed.length == 0)) {
return "";
}
if (isCompressed(compressed)) { //It is not going into this if part
final GZIPInputStream gis = new GZIPInputStream(new ByteArrayInputStream(compressed));
final BufferedReader bufferedReader = new BufferedReader(new InputStreamReader(gis, "UTF-8"));
String line;
while ((line = bufferedReader.readLine()) != null) {
outStr.append(line);
}
} else {
outStr.append(compressed);
}
return outStr.toString();
}
public static boolean isCompressed(final byte[] compressed) {
return (compressed[0] == (byte) (GZIPInputStream.GZIP_MAGIC)) && (compressed[1] == (byte) (GZIPInputStream.GZIP_MAGIC >> 8));
}
}
答案 0 :(得分:0)
您不能假定压缩字符串可以视为UTF-8,因为许多可能的字节组合都不是有效的UTF-8。我建议尝试使用ISO-8859-1,该方法可以使所有8位值保持未翻译状态。
还请注意,虽然大文本应该变小,但小字符串可能变大。
注意:此循环将删除所有换行符
String line;
while ((line = bufferedReader.readLine()) != null) {
outStr.append(line);
}
我建议改为使用char[]
进行复制,该操作不会删除任何字符。
char[] chars = new char[512];
for(int len; (len = reader.read(chars)) > 0;)
outStr.append(chars, 0, len);