java 下的 des加密/3des加密 示例

DES 加密:

public static byte[] encrypt(byte key[], byte[] str) throws Exception {
// if (key.length != 8) {
// throw new RuntimeException("key length err:" + key.length);
// }
int needLen = (str.length + 7) & (-8);
if (needLen != str.length) {
str = Arrays.copyOf(str, needLen);
}
byte[] rs = new byte[str.length];
SecretKey skey = new SecretKeySpec(key, "DES");
Cipher cipher = Cipher.getInstance("DES/ECB/NOPADDING");
cipher.init(Cipher.ENCRYPT_MODE, skey);
cipher.doFinal(str, 0, str.length, rs, 0);
return rs;
}

DES 解密:

public static byte[] decrypt(byte key[], byte[] str) throws Exception {
if (key.length != 8) {
throw new RuntimeException("key length err:" + key.length);
}
int needLen = (str.length + 7) & (-8);
if (needLen != str.length) {
str = Arrays.copyOf(str, needLen);
}
byte[] rs = new byte[str.length];
SecretKey skey = new SecretKeySpec(key, "DES");
Cipher cipher = Cipher.getInstance("DES/ECB/NOPADDING");
cipher.init(Cipher.DECRYPT_MODE, skey);
cipher.doFinal(str, 0, str.length, rs, 0);
return rs;
}

扫描二维码关注公众号,回复: 2788090 查看本文章

3DES CBC 加密:

public static byte[] des3encrypt(byte key[], byte[] iv, byte[] str) throws Exception {
if (key.length == 16) {
key = Arrays.copyOf(key, 24);
System.arraycopy(key, 0, key, 16, 8);
}
if (key.length != 24) {
throw new RuntimeException("key length err:" + key.length);
}
int needLen = (str.length + 7) & (-8);
if (needLen != str.length) {
str = Arrays.copyOf(str, needLen);
}
byte[] rs = new byte[str.length];
SecretKey skey = new SecretKeySpec(key, "DESede"); // 加密
IvParameterSpec siv = new IvParameterSpec(iv);
Cipher cipher = Cipher.getInstance("DESede/CBC/NOPADDING");
cipher.init(Cipher.ENCRYPT_MODE, skey, siv);
cipher.doFinal(str, 0, str.length, rs, 0);
return rs;
}

3DES CBC解密:

public static byte[] des3decrypt(byte[] key, byte[] iv, byte[] data) throws Exception {
if (key.length == 16) {
key = Arrays.copyOf(key, 24);
System.arraycopy(key, 0, key, 16, 8);
}
if (key.length != 24) {
throw new RuntimeException("key length err:" + key.length);
}
int needLen = (data.length + 7) & (-8);
if (needLen != data.length) {
data = Arrays.copyOf(data, needLen);
}
byte[] rs = new byte[data.length];
SecretKey skey = new SecretKeySpec(key, "DESede");
IvParameterSpec siv = new IvParameterSpec(iv);
Cipher cipher = Cipher.getInstance("DESede/CBC/NOPADDING");
cipher.init(Cipher.DECRYPT_MODE, skey, siv);
cipher.doFinal(data, 0, data.length, rs, 0);
return rs;
}

备注:

      3DES只支持ECB和CBC两种,其中CBC加密时候用到IV向量,

     ECB形式加密不需要IV向量

      

放入到参数内的值需要时byte数组形式,

8583中,先将dec转换成hex然后再转换成byte数组

猜你喜欢

转载自blog.csdn.net/mashengjun1989/article/details/75043590
今日推荐