两个六进制数字组成一个字节。
File file = new File("yourFilePath");
BufferedOutputStream bos = new BufferedOutputStream(new FileOutputStream(file));
现在,遍历字符串,使用string.substring()
方法一次获取两个字符。
你会认为这Byte.parseByte(theTwoChars, 16)
是一个不错的选择,但它会失败得很惨,因为它认为字节是有符号的。您应该改用:
byte b = (byte) ( Integer.parseInt(theTwoChars, 16) & 0xFF )
您可以一个接一个地写入字节,也可以构造一个数组来存储它们。
将byte
or写入byte[]
输出流:
bos.write(bytes);
最后,关闭流:
bos.close();
这是我为演示它而制作的一个完整的工作方法:
public static void bytesToFile(String str, File file) throws IOException {
BufferedOutputStream bos = null;
try {
// check for invalid string
if(str.length() % 2 != 0) {
throw new IllegalArgumentException("Hexa string length is not even.");
}
if(!str.matches("[0-9a-fA-F]+")) {
throw new IllegalArgumentException("Hexa string contains invalid characters.");
}
// prepare output stream
bos = new BufferedOutputStream(new FileOutputStream(file));
// go through the string and make a byte array
byte[] bytes = new byte[str.length() / 2];
for (int i = 0; i < bytes.length; i++) {
String twoChars = str.substring(2 * i, 2 * i + 2);
int asInt = Integer.parseInt(twoChars, 16);
bytes[i] = (byte) (asInt & 0xFF);
}
// write bytes
bos.write(bytes);
} finally {
if (bos != null) bos.close();
}
}