2

我有一个字节数组并使用new String(array). 当我使用 将它转换回字节数组.getBytes()时,它不会返回原始字节数组。是什么赋予了?

String text = "two hats";
boolean t1 = Arrays.equals(text.getBytes(), text); // true

byte[] barray = {(byte)0x8f, (byte)0xd5, (byte)0xaf, (byte)0x30, (byte)0xb9};        

String test1 = new String(barray); 
boolean t2 = Arrays.equals(barray.getBytes(), test1); // false

// I tried setting an encoding but that didn't help.

Charset cs = Charset.forName("UTF-8"); 
String test2 = new String(barray, cs);       
boolean t3 = Arrays.equals(barray, test2, cs); // false

这是我实际使用的代码。

// test byte array vs string
public static void testEqual(byte[] bytes, String str) {
    byte[] fromString = str.getBytes();        

    printBytes(bytes);        
    printBytes(fromString);        
    System.out.println(Arrays.equals(bytes, fromString));        
}

// test byte array vs string, with charset
public static void testEqual(byte[] bytes, String str, Charset charset) {
    byte[] fromString = str.getBytes(charset);        

    printBytes(bytes);        
    printBytes(fromString);        
    System.out.println(Arrays.equals(bytes, fromString));
}

// prints bytes as hex string
public static void printBytes(byte[] bytes) {
    for (byte b: bytes) {
        System.out.print(String.format("%02X ", b));
    }        
    System.out.println();
}

public static void main(String[] args) {
    String text = "two hats";
    testEqual(text.getBytes(), text); // works fine

    byte[] barray = {(byte)0x8f, (byte)0xd5, (byte)0xaf, (byte)0x30, (byte)0xb9};        

    String test1 = new String(barray); // breaks      
    testEqual(barray, test1);

    Charset cs = Charset.forName("UTF-8"); // breaks too
    String test2 = new String(barray, cs);       
    testEqual(barray, test2, cs);
}

演示:http: //ideone.com/IRHlb

PS:我不想使用 Base64 之类的

4

1 回答 1

4

您似乎试图通过使用平台默认编码将其转换为字符串来存储任意二进制数据。不要那样做。使用 base64 或 hex 将任意二进制数据表示为文本。base64 转换有很多类;我喜欢这个公共领域之一

如果数据确实某些文本的二进制编码形式,则应明确指定该编码 - 但这适用于原始数据是文本的情况。(使用平台默认编码几乎总是一个坏主意。)

二进制数据和文本数据有很大的不同。将不透明的二进制数据任意转换为字符串就像期望能够将任意文件加载到图像编辑器中并看到有用的东西。

于 2012-10-09T17:34:24.610 回答