我尝试将byte []转换为字符串,如下所示:
Map<String, String> biomap = new HashMap<String, String>();
biomap.put("L1", new String(Lf1, "ISO-8859-1"));
其中Lf1是byte []数组,然后我将此字符串转换为byte []: 问题是,当我将字节数组转换为字符串时,它就像:
FMR F P�d@� �0d@r (@� ......... etc
和
String SF1 = biomap.get("L1");
byte[] storedL1 = SF1.getBytes("ISO-8859-1")
当我将其转换回字节数组并比较两个数组时,它返回false。我的意思是数据更改。
我想要与我编码为字符串和解码到字节[]
时相同的byte []数据答案 0 :(得分:5)
首先:如果使用此编码将任意字节数组转换为字符串,则ISO-8859-1
not 会导致任何数据丢失。请考虑以下程序:
public class BytesToString {
public static void main(String[] args) throws Exception {
// array that will contain all the possible byte values
byte[] bytes = new byte[256];
for (int i = 0; i < 256; i++) {
bytes[i] = (byte) (i + Byte.MIN_VALUE);
}
// converting to string and back to bytes
String str = new String(bytes, "ISO-8859-1");
byte[] newBytes = str.getBytes("ISO-8859-1");
if (newBytes.length != 256) {
throw new IllegalStateException("Wrong length");
}
boolean mismatchFound = false;
for (int i = 0; i < 256; i++) {
if (newBytes[i] != bytes[i]) {
System.out.println("Mismatch: " + bytes[i] + "->" + newBytes[i]);
mismatchFound = true;
}
}
System.out.println("Whether a mismatch was found: " + mismatchFound);
}
}
它构建一个包含所有可能字节值的字节数组,然后使用String
将其转换为ISO-8859-1
,然后使用相同的编码将其转换为字节。
此程序输出Whether a mismatch was found: false
,因此通过ISO-8859-1
转换的bytes-&gt; String-&gt;字节会产生与开头相同的数据。
但是,正如评论中指出的那样,String
不是二进制数据的好容器。具体来说,这样的字符串几乎肯定会包含不可打印的字符,因此如果您打印它或尝试通过HTML或其他方式传递它,您将遇到一些问题(例如数据丢失)。
如果你真的需要将字节数组转换为字符串(并且不透明地使用它),请使用base64
编码:
String stringRepresentation = Base64.getEncoder().encodeToString(bytes);
byte[] decodedBytes = Base64.getDecoder().decode(stringRepresentation);
需要更多空间,但结果字符串在打印方面是安全的。
答案 1 :(得分:1)
像base64这样的特殊编码用于为纯文本系统编码二进制数据。
如果byte[]
根据所选编码包含有效的字节序列,则仅保证将String
转换为byte[]
。未知的字节序列可能会被unicode替换字符替换(如示例所示)。