Base64
内容加密
public static String encode(String str) {
return Base64.getEncoder().encodeToString(str.getBytes());
}
解密
public static String decode(String str) {
return new String(Base64.getDecoder().decode(str));
}
测试代码
String str = "this is a test";
String encode = Base64Util.encode(str);
String decode = Base64Util.decode(encode);
System.out.println("原文:" + str + ";\nBase64加密后:" + encode + ";\nBase64解密后:" + decode);
输出的内容是:
原文:this is a test;
Base64加密后:dGhpcyBpcyBhIHRlc3Q=;
Base64解密后:this is a test
Base64是Java 8中实现了的BASE64编解码API,它在java.util包中,上面看到的是最基本的Basic编码,除此以外还有URL编码和MIME编码,感兴趣的可以自行了解。
MD5
加密的核心代码
public static String encode(String str) {
try {
MessageDigest digest = MessageDigest.getInstance("MD5");
byte[] md5Byte = digest.digest(str.getBytes());
return Conversion.bytesToHexString(md5Byte);
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
return null;
}
}
在这里如果直接把md5Bye转换为String的话会发现是一堆乱码,这是因为加密是将字节按照一定的规则进行了转换,转换后出什么样的怪字符都是正常的。因此一般的做法是将加密后的byte数组转换为十六进制的字符串。
public static String bytesToHexString(byte[] b) {
StringBuilder stringBuilder = new StringBuilder();
if (b == null || b.length <= 0) {
return null;
}
for (int i = 0; i < b.length; i++) {
int v = b[i] & 0xFF;
String hv = Integer.toHexString(v);
if (hv.length() < 2) {
stringBuilder.append(0);
}
stringBuilder.append(hv);
}
return stringBuilder.toString();
}
测试输出的代码是:
原文:this is a test;MD5加密后:54b0c58c7ce9f2a8b551351102ee0938
SHA
核心代码
public static String encode(String str) {
try {
MessageDigest digest = MessageDigest.getInstance("SHA-1");
byte[] shaByte = digest.digest(str.getBytes());
return Conversion.bytesToHexString(shaByte);
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
return null;
}
}
测试代码的输出结果是:
原文:this is a test;
SHA加密后:fa26be19de6bff93f70bc2308434e4a440bbad02
通过上面的代码可以看出MD5和SHA算法都是通过MessageDigest 来实现的,通过jdk的官方文档看以看出MessageDigest.getInstance(“SHA-1”);支持的参数有MD5、SHA-1和SHA-256,我试过如果输入SHA也是可以的,返回的结果和SHA-1是一致的。
详细代码见这里