MD5,即"Message-Digest Algorithm 5(信息-摘要算法)",它由MD2、MD3、MD4发展而来的一种单向函数算法(也就是HASH算法),它是国际著名的公钥加密算法标准RSA的第一设计者R.Rivest于上个世纪90年代初开发出来的。MD5的最大作用在于,将不同格式的大容量文件信息在用数字签名软件来签署私人密钥前"压缩"成一种保密的格式,关键之处在于这种"压缩"是不可逆的。
/**
* 进行MD5加密
* @param String 原始的SPKEY
* @return byte[] 指定加密方式为md5后的byte[]
*/
private byte[] md5(String strSrc)
{
byte[] returnByte = null;
try
{
MessageDigest md5 = MessageDigest.getInstance("MD5");
returnByte = md5.digest(strSrc.getBytes("GBK"));
}
catch(Exception e)
{
e.printStackTrace();
}
return returnByte;
}
-
、MessageDigest 类为应用程序提供信息摘要算法的功能。
2、获取指定摘要算法的 MessageDigest 对象:如:MessageDigest.getInstance("MD5")
3、为报文摘要对象提供数据,调用
update(byte input)
方法更新摘要4、调用digest()方法完成计算
-
/**
-
*
-
* 获取字符串的md5值 (十六进制,长度为32位)。MessageDigest提供信息摘要算法的功能,
-
*
-
* @param str
-
* @return 返回md5串
-
*/
-
public String encodeStrByMd5(String str) {
-
String md5Str = "";
-
try {
-
MessageDigest md = MessageDigest.getInstance("MD5");
-
// 使用指定byte[]更新摘要
-
md.update(str.getBytes());
-
// 完成计算,返回结果数组
-
byte[] b = md.digest();
-
md5Str = this.byteArrayToHex(b);
-
} catch (Exception e) {
-
// TODO Auto-generated catch block
-
e.printStackTrace();
-
}
-
return md5Str;
-
}
-
/**
-
* 将字节数组转为十六进制字符串
-
*
-
* @param bytes
-
* @return 返回16进制字符串
-
*/
-
public String byteArrayToHex(byte[] bytes) {
-
// 字符数组,用来存放十六进制字符
-
char[] hexReferChars = { '0', '1', '2', '3', '4', '5', '6', '7', '8',
-
'9', 'A', 'B', 'C', 'D', 'E', 'F' };
-
// 一个字节占8位,一个十六进制字符占4位;十六进制字符数组的长度为字节数组长度的两倍
-
char[] hexChars = newchar[bytes.length * 2];
-
int index = 0;
-
for (byte b : bytes) {
-
// 取字节的高4位
-
hexChars[index++] = hexReferChars[b >>> 4 & 0xf];
-
// 取字节的低4位
-
hexChars[index++] = hexReferChars[b & 0xf];
-
}
-
returnnew String(hexChars);
-
}
* <<有符号左移,补0;>>有符号右移,正数补0,负数补1;>>>无符号右移,补0
* -