任何人都知道如何将 MD5 转换为字符串。在我的情况下,我已将密码保存在数据库中的 MD5 中。我正在尝试检索密码并将其显示在字符串中以进行编辑。
这是我将字符串转换为加密格式所做的:
public static String encrypt(String source) {
String md5 = null;
try {
MessageDigest mdEnc = MessageDigest.getInstance("MD5"); //Encryption algorithm
mdEnc.update(source.getBytes(), 0, source.length());
md5 = new BigInteger(1, mdEnc.digest()).toString(16); // Encrypted string
}
catch (Exception ex) {
return null;
}
return md5;
}
我不知道如何将加密格式转换为字符串以便编辑密码。
答案 0 :(得分:13)
String password = "123456";
MessageDigest md = MessageDigest.getInstance("MD5");
md.update(password.getBytes());
byte byteData[] = md.digest();
StringBuffer sb = new StringBuffer();
for (int i = 0; i < byteData.length; i++)
sb.append(Integer.toString((byteData[i] & 0xff) + 0x100, 16).substring(1));
System.out.println("Digest(in hex format):: " + sb.toString());
答案 1 :(得分:6)
MD5是单边哈希函数。所以你无法解码它。这就是为什么在许多网站上你有选择“通过创建新密码”来检索密码。
答案 2 :(得分:0)
将String转换为MD5的代码
private static String convertToMd5(final String md5) throws UnsupportedEncodingException {
StringBuffer sb=null;
try {
final java.security.MessageDigest md = java.security.MessageDigest.getInstance("MD5");
final byte[] array = md.digest(md5.getBytes("UTF-8"));
sb = new StringBuffer();
for (int i = 0; i < array.length; ++i) {
sb.append(Integer.toHexString((array[i] & 0xFF) | 0x100).substring(1, 3));
}
return sb.toString();
} catch (final java.security.NoSuchAlgorithmException e) {
}
return sb.toString();
}
答案 3 :(得分:-3)
我认为这是最优雅的方式:
public String getMD5(String data) {
String result = null;
MessageDigest md;
try {
md = MessageDigest.getInstance("MD5");
md.update(data.getBytes(Charset.forName("UTF-8")));
result = String.format(Locale.ROOT, "%032x", new BigInteger(1, md.digest()));
} catch (NoSuchAlgorithmException e) {
throw new IllegalStateException(e);
}
return result;
}
`