J'utilise la fonction ci-dessous dans Java pour convertir une chaîne cryptée au format hexadécimal:
public static String toHex(byte [] buf) {
StringBuffer strbuf = new StringBuffer(buf.length * 2);
int i;
for (i = 0; i < buf.length; i++) {
if (((int) buf[i] & 0xff) < 0x10) {
strbuf.append("0");
}
strbuf.append(Long.toString((int) buf[i] & 0xff, 16));
}
return strbuf.toString();
}
Maintenant, je veux reconvertir cette chaîne hexadécimale en un tableau d'octets. Comment puis je faire ça?
Par exemple,
(1) Plain Text = 123
(2) Encrypted Text = «h>kq*«¬Mí“~èåZ \}?
(3) Encrypted Text in Hex = f263575e7b00a977a8e9a37e08b9c215feb9bfb2f992b2b8f11e
Je peux aller de (2)
à (3)
, mais comment passer de (3)
retour à (2)
?
String s="f263575e7b00a977a8e9a37e08b9c215feb9bfb2f992b2b8f11e";
byte[] b = new BigInteger(s,16).toByteArray();
La réponse acceptée ne prend pas en compte les zéros non significatifs qui peuvent causer des problèmes
Cette question y répond. Selon que vous voulez voir comment cela se passe ou simplement utiliser une méthode intégrée Java. Voici les solutions copiées de this et this répond respectivement à la question SO mentionnée.
Option 1: méthode Util
public static 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;
}
Option 2: Intégration à une ligne
import javax.xml.bind.DatatypeConverter;
public static String toHexString(byte[] array) {
return DatatypeConverter.printHexBinary(array);
}
public static byte[] toByteArray(String s) {
return DatatypeConverter.parseHexBinary(s);
}
J'ai trouvé que le DatatypeConverter.parseHexBinary est plus coûteux (deux fois) que:
org.Apache.commons.codec.binary.Hex(str.toCharArray())