如何将二进制数据转换为字符串并返回Java?

2022-09-01 10:33:33

我在一个文件中有二进制数据,我可以将其读入字节数组并毫无问题地进行处理。现在,我需要通过网络连接将部分数据作为 XML 文档中的元素发送。我的问题是,当我将数据从字节数组转换为字符串并转换回字节数组时,数据会损坏。我已经在一台计算机上对此进行了测试,以将问题隔离到字符串转换中,因此我现在知道它不会被XML解析器或网络传输损坏。

我现在拥有的是

byte[] buffer = ...; // read from file
// a few lines that prove I can process the data successfully
String element = new String(buffer);
byte[] newBuffer = element.getBytes();
// a few lines that try to process newBuffer and fail because it is not the same data anymore

有谁知道如何将二进制文件转换为字符串并在不丢失数据的情况下返回?

回答:谢谢山姆。我觉得自己像个白痴。我昨天得到了这个答案,因为我的SAX解析器在抱怨。出于某种原因,当我遇到这个看似独立的问题时,我没有想到这是同一问题的新症状。

编辑:为了完整性,我使用了Apache Commons编解码器包中的Base64类来解决这个问题。


答案 1

String(byte[]) 将数据视为默认字符编码。因此,如何将字节从8位值转换为16位Java Unicode字符不仅因操作系统而异,而且在同一台计算机上使用不同代码页的不同用户之间也可能有所不同!此构造函数仅适用于解码您自己的文本文件之一。不要尝试在Java中将任意字节转换为字符!

编码为base64是一个很好的解决方案。这是通过SMTP(电子邮件)发送文件的方式。(免费的)Apache Commons编解码器项目将完成这项工作。

byte[] bytes = loadFile(file);          
//all chars in encoded are guaranteed to be 7-bit ASCII
byte[] encoded = Base64.encodeBase64(bytes);
String printMe = new String(encoded, "US-ASCII");
System.out.println(printMe);
byte[] decoded = Base64.decodeBase64(encoded);

或者,您可以使用 Java 6 DatatypeConverter

import java.io.*;
import java.nio.channels.*;
import javax.xml.bind.DatatypeConverter;

public class EncodeDecode {    
  public static void main(String[] args) throws Exception {
    File file = new File("/bin/ls");
    byte[] bytes = loadFile(file, new ByteArrayOutputStream()).toByteArray();
    String encoded = DatatypeConverter.printBase64Binary(bytes);
    System.out.println(encoded);
    byte[] decoded = DatatypeConverter.parseBase64Binary(encoded);
    // check
    for (int i = 0; i < bytes.length; i++) {
      assert bytes[i] == decoded[i];
    }
  }

  private static <T extends OutputStream> T loadFile(File file, T out)
                                                       throws IOException {
    FileChannel in = new FileInputStream(file).getChannel();
    try {
      assert in.size() == in.transferTo(0, in.size(), Channels.newChannel(out));
      return out;
    } finally {
      in.close();
    }
  }
}

答案 2

如果以 base64 格式对其进行编码,则会将任何数据转换为 ascii 安全文本,但 base64 编码的数据大于原始数据