加密原理
DES 使用一个 56 位的密钥以及附加的 8 位奇偶校验位,产生最大 64 位的分组大小。这是一个迭代的分组密码,使用称为 Feistel 的技术,其中将加密的文本块分成两半。使用子密钥对其中一半应用循环功能,然后将输出与另一半进行“异或”运算;接着交换这两半,这一过程会继续下去,但最后一个循环不交换。DES 使用 16 个循环,使用异或,置换,代换,移位操作四种基本运算。
注释都在代码里了,干了:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
|
import javax.crypto.Cipher;
import javax.crypto.KeyGenerator;
import javax.crypto.SecretKey;
import javax.crypto.spec.SecretKeySpec;
import javax.xml.bind.annotation.adapters.HexBinaryAdapter;
import org.apache.commons.codec.binary.Hex;
public class Main {
static String src = "Hello,sahadev!" ;
public static void main(String[] args) {
DES();
}
public static void DES() {
try {
// 以DES的方式初始化Key生成器
KeyGenerator keyGenerator = KeyGenerator.getInstance( "DES" );
keyGenerator.init( 56 ); // 设置密钥的长度为56位
// 生成一个Key
SecretKey generateKey = keyGenerator.generateKey();
// 转变为字节数组
byte [] encoded = generateKey.getEncoded();
// 生成密钥字符串
String encodeHexString = Hex.encodeHexString(encoded);
System.out.println( "Key : " + encodeHexString);
// 再把我们的字符串转变为字节数组,可以用于另一方使用,验证
byte [] decodeHex = Hex.decodeHex(encodeHexString.toCharArray());
// 生成密钥对象
SecretKeySpec secretKeySpec = new SecretKeySpec(decodeHex, "DES" );
// 获取加解密实例
Cipher cipher = Cipher.getInstance( "DES/ECB/PKCS5Padding" );
// 初始化加密模式
cipher.init(Cipher.ENCRYPT_MODE, secretKeySpec);
// 加密
byte [] doFinal = cipher.doFinal(src.getBytes());
System.out.println( "加密结果 : " + new HexBinaryAdapter().marshal(doFinal));
// 初始化解密模式
cipher.init(Cipher.DECRYPT_MODE, secretKeySpec);
// 解密
byte [] doFinal2 = cipher.doFinal(doFinal);
// 输出解密结果
System.out.println( "解密结果 : " + new String(doFinal2));
} catch (Exception e) {
e.printStackTrace();
}
}
}
|
附上输出结果:
1
2
3
|
Key : 619b862f5e2aad40
加密结果 : D98FA80E83593710C0686370665C2FEC
解密结果 : Hello,sahadev!
|
以上就是java DES实现对称加密的实例,如有疑问请留言或者到本站社区交流讨论,感谢阅读,希望能帮助到大家,谢谢大家对本站的支持!
原文链接:http://blog.csdn.net/sahadev_/article/details/48769857