调用程序库中的DES算法,实现DES加密和解密。
时间: 2024-09-19 16:03:24 浏览: 38
DES加密解密(c++实现)
5星 · 资源好评率100%
DES(Data Encryption Standard),即数据加密标准,是一种古老的对称密码体制,用于保护数据的安全传输。在程序中,通常需要使用专门的库函数来处理DES操作,例如Python中有`pycryptodome`库,Java有`javax.crypto.Cipher`,C#有`System.Security.Cryptography DESCryptoServiceProvider`等。
以下是一个简单的示例,展示如何在Python中使用`pycryptodome`库实现DES加密和解密:
```python
from Crypto.Cipher import DES
def des_encrypt(plaintext, key):
cipher = DES.new(key, DES.MODE_ECB)
ciphertext = cipher.encrypt(plaintext.encode('utf-8'))
return ciphertext.hex()
def des_decrypt(ciphertext, key):
cipher = DES.new(key, DES.MODE_ECB)
plaintext = cipher.decrypt(bytes.fromhex(ciphertext))
return plaintext.decode('utf-8')
# 示例用法
key = b'sixteen byte key' # DES密钥长度必须是16字节
plaintext = 'Hello, DES!'
ciphertext = des_encrypt(plaintext, key)
decrypted_text = des_decrypt(ciphertext, key)
print(f"原始文本: {plaintext}")
print(f"加密后的密文: {ciphertext}")
print(f"解密后的明文: {decrypted_text}")
```
在Java中,可以这样操作:
```java
import javax.crypto.Cipher;
import javax.crypto.SecretKey;
import javax.crypto.spec.DESKeySpec;
public class DESExample {
private static final String KEY = "十六进制的16字节密钥";
public static void main(String[] args) throws Exception {
SecretKey secretKey = new SecretKeySpec(KEY.getBytes(), "DES");
Cipher cipher = Cipher.getInstance("DES/ECB/PKCS5Padding");
// 加密
cipher.init(Cipher.ENCRYPT_MODE, secretKey);
byte[] encryptedBytes = cipher.doFinal("Hello, DES!".getBytes());
// 解密
cipher.init(Cipher.DECRYPT_MODE, secretKey);
byte[] decryptedBytes = cipher.doFinal(encryptedBytes);
System.out.println("Original text: " + new String(decryptedBytes));
}
}
```
阅读全文