我知道很多次都会问这个问题,但请听我说。
以前我尝试过以下方法将十六进制字符串转换为字节数组。
说我的keyA =" D14E2C5A5B5F",我使用此密钥的byte []来验证mifare卡
第一种方法:
byte[] ka = new BigInteger(keyA, 16).toByteArray();
(使用此方法使用ka
作为密钥验证几张卡并在几张卡中失败)
第二种方法:
byte[] ka = hexStringToByteArray(keyA);
public byte[] hexStringToByteArray(String s) {
int len = s.length();
byte[] data = new byte[len / 2];
for (int i = 0; i < len; i += 2) {
data[i / 2] = (byte) ((Character.digit(s.charAt(i), 16) << 4)
+ Character.digit(s.charAt(i+1), 16));
}
return data;
}
(使用此方法使用ka
作为密钥验证几张卡,但成功率不仅仅是第一种方法,而且几张卡都失败了。
我错过了什么吗? 有没有更好的方法将十六进制字符串转换为java中的字节数组?
提前致谢。
答案 0 :(得分:2)
区别在于0
创建的前导BigInteger
值。
public void test() {
test("D14E2C5A5B5F");
test("00D14E2C5A5B5F");
test("614E2C5A5B5F");
test("00614E2C5A5B5F");
}
private void test(String s) {
byte[] ka = new BigInteger(s, 16).toByteArray();
byte[] kb = hexStringToByteArray(s);
if (!Arrays.equals(ka, kb)) {
System.out.println(s + ":" + Arrays.toString(ka) + " != " + Arrays.toString(kb));
}
}
public byte[] hexStringToByteArray(String s) {
byte[] data = new byte[s.length()/2];
for (int i = 0; i < data.length; i ++) {
data[i] = (byte) ((Character.digit(s.charAt(i*2), 16) << 4)
+ Character.digit(s.charAt(i*2 + 1), 16));
}
return data;
}
打印
D14E2C5A5B5F:[0,-47,78,44,90,91,95]!= [-47,78,44,90,91,95]
00614E2C5A5B5F:[97,78,44,90,91,95]!= [0,97,78,44,90,91,95]
查看额外的前导0
。
此外,您的hexStringToByteArray
假设偶数个十六进制数字 - 这可能是一个问题。
这样的事情应该是正确的。它确保byte[]
总是正确的长度,无论字符串的长度如何。您可能希望在字符串太长时添加例外。
public byte[] asKey(String hex, int bytes) {
// Make sure the byte [] is always the correct length.
byte[] key = new byte[bytes];
// Using i as the distance from the END of the string.
for (int i = 0; i < hex.length() && (i / 2) < bytes; i++) {
// Pull out the hex value of the character.
int nybble = Character.digit(hex.charAt(hex.length() - 1 - i), 16);
if ((i & 1) != 0) {
// When i is odd we shift left 4.
nybble = nybble << 4;
}
// Use OR to avoid sign issues.
key[bytes - 1 - (i / 2)] |= (byte) nybble;
}
return key;
}
答案 1 :(得分:0)
试试这个。
public static byte[] hexStringToByteArray(String s) {
byte[] b = new byte[s.length() / 2];
for (int i = 0; i < b.length; i++) {
int index = i * 2;
int v = Integer.parseInt(s.substring(index, index + 2), 16);
b[i] = (byte) v;
}
return b;
}
答案 2 :(得分:0)
这对我有用:
public static byte[] hexToByteData(String hex)
{
byte[] convertedByteArray = new byte[hex.length()/2];
int count = 0;
for( int i = 0; i < hex.length() -1; i += 2 )
{
String output;
output = hex.substring(i, (i + 2));
int decimal = (int)(Integer.parseInt(output, 16));
convertedByteArray[count] = (byte)(decimal & 0xFF);
count ++;
}
return convertedByteArray;
}