在此程序中,您將學(xué)習(xí)在Java中將字節(jié)數(shù)組轉(zhuǎn)換為十六進(jìn)制的不同方法。
public class ByteHex { public static void main(String[] args) { byte[] bytes = {10, 2, 15, 11}; for (byte b : bytes) { String st = String.format("%02X", b); System.out.print(st); } } }
運(yùn)行該程序時(shí),輸出為:
0A020F0B
在上面的程序中,我們有一個(gè)名為bytes的字節(jié)數(shù)組。要將字節(jié)數(shù)組轉(zhuǎn)換為十六進(jìn)制值,我們遍歷數(shù)組中的每個(gè)字節(jié)并使用String的format()。
我們使用%02X打印十六進(jìn)制(X)值的兩個(gè)位置(02),并將其存儲(chǔ)在字符串st中。
對(duì)于大字節(jié)數(shù)組轉(zhuǎn)換,這是相對(duì)較慢的過(guò)程。我們可以使用下面顯示的字節(jié)操作大大提高執(zhí)行速度。
public class ByteHex { private final static char[] hexArray = "0123456789ABCDEF".toCharArray(); public static String bytesToHex(byte[] bytes) { char[] hexChars = new char[bytes.length * 2]; for ( int j = 0; j < bytes.length; j++ ) { int v = bytes[j] & 0xFF; hexChars[j * 2] = hexArray[v >>> 4]; hexChars[j * 2 + 1] = hexArray[v & 0x0F]; } return new String(hexChars); } public static void main(String[] args) { byte[] bytes = {10, 2, 15, 11}; String s = bytesToHex(bytes); System.out.println(s); } }
該程序的輸出與示例1相同。