尝试使用MessageDigest生成MD5总和。有以下代码。
byte[] md5sum = digest.digest();
BigInteger bigInt = new BigInteger(1, md5sum);
output = bigInt.toString(16);
这不会返回32个字符串,而是一个31个字符串 8611c0b0832bce5a19ceee626a403a7
预期的字符串是 08611c0b0832bce5a19ceee626a403a7
输出中缺少前导0。
尝试了另一种方法
byte[] md5sum = digest.digest();
output = new String(Hex.encodeHex(md5sum));
和输出是预期的。
我检查了文档,然后Integer.toString根据它进行转换
使用Character.forDigit提供的数字到字符的映射,并在适当时添加减号。
在Character.forDigit方法中
如果0 <= digit <基数,则digit参数有效。
同时 也可使用Apache Commons,Codec
或简单的单个方法:
private static final char[] HEX_DIGITS = "0123456789ABCDEF".toCharArray();
public static String toHex(byte[] data) {
char[] chars = new char[data.length * 2];
for (int i = 0; i < data.length; i++) {
chars[i * 2] = HEX_DIGITS[(data[i] >> 4) & 0xf];
chars[i * 2 + 1] = HEX_DIGITS[data[i] & 0xf];
}
return new String(chars);
}