我目前正在尝试实施密码哈希生成器。 但首先,我正在尝试对随机生成的盐进行编码,如下所示:
public static byte[] generateSalt()
throws NoSuchAlgorithmException {
SecureRandom random = SecureRandom.getInstance("SHA1PRNG");
byte[] salt = new byte[8];
random.nextBytes(salt);
return salt;
}
如何在hexa中对此进行编码,然后将其解码为原始状态?我只想向用户显示生成的salt的hexa值,然后他可以在authenticate部分解码它。当然这是为了倾斜目的。
我试过了:
try {
byte[] new_salt;
String salt_str;
new_salt = PasswordHash.generateSalt();
for(int i = 0; i < 8; i++) {
salt_str += new_salt[i];
}
out_new_salt.setText(salt_str);
}
catch (Exception e) {
System.out.print(e.getStackTrace() + "Something failed");
}
输出如下:67-55-352712114-12035 好吧,我可以得到每个字节的内容。 我尝试使用Base 64编码器,但它打印未知字符,我认为这是因为字节数组的内容具有2exp8值范围。 我尝试使用:
System.out.println(new String(new_salt));
但它也会打印未知的值。使用Charset.forName(“ISO-8859-1”)和Charset.forName(“UTF-8”)但它不起作用。 UTF-8打印未知字符和ISO-8859-1奇怪的工作,但不打印数字与字节数组的大小(8) 我认为hexa最适合我想做的事情。
答案 0 :(得分:-1)
我终于找到了我想要的东西。 这是我在这里找到的一个简单的功能:
How to convert a byte array to a hex string in Java? 这在我的案例中完美无缺。
这是功能:
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);
}