很多时候我们需要将字节数组转化为16进制字符串来保存,尤其在很多加密的场景中,例如保存密钥等。因为字节数组,除了写入文件或者以二进制的形式写入数据库以外,无法直接转为为字符串,因为字符串结尾有\0,当然肯定还有其他原因。
下面提供几种Java中使用的方案:
方案一:直接利用BigInteger的方法,应该是最简单的方案了。
-
-
-
-
-
- public static byte[] md5(String str)
- {
- byte[] digest = null;
- try
- {
- MessageDigest md = MessageDigest.getInstance("md5");
- return digest = md.digest(str.getBytes());
-
- } catch (NoSuchAlgorithmException e)
- {
- e.printStackTrace();
- }
- return null;
- }
-
-
-
-
-
-
-
-
-
-
- public static String bytes2hex01(byte[] bytes)
- {
-
-
-
-
- BigInteger bigInteger = new BigInteger(1, bytes);
- return bigInteger.toString(16);
- }
-
注:项目中偷懒使用BigInteger将字节数组转化为2进制字符串,发现BigInteger会省略前面的几个0,我擦。。。以此铭记。
方案二:将每个字节与0xFF进行与运算,然后转化为10进制,然后借助于Integer再转化为16进制
-
-
-
-
-
-
- public static String bytes2hex02(byte[] bytes)
- {
- StringBuilder sb = new StringBuilder();
- String tmp = null;
- for (byte b : bytes)
- {
-
- tmp = Integer.toHexString(0xFF & b);
- if (tmp.length() == 1)
- {
- tmp = "0" + tmp;
- }
- sb.append(tmp);
- }
-
- return sb.toString();
-
- }
方案三:分别取出字节的高四位与低四位然后分别得出10进制0-15这样的值,再利用一个字符串数组完美完成。对于转化的理解,当然最推荐第三种方式了。
-
-
-
-
-
-
- public static String bytes2hex03(byte[] bytes)
- {
- final String HEX = "0123456789abcdef";
- StringBuilder sb = new StringBuilder(bytes.length * 2);
- for (byte b : bytes)
- {
-
- sb.append(HEX.charAt((b >> 4) & 0x0f));
-
- sb.append(HEX.charAt(b & 0x0f));
- }
-
- return sb.toString();
- }