用c语言实现的aes加密解密算法
时间: 2024-01-26 07:01:02 浏览: 219
AES(Advanced Encryption Standard,高级加密标准)是一种对称加密算法,常用于保护数据的机密性。在C语言中,可以使用不同的库或算法实现AES加密解密。
一种实现AES的方式是使用OpenSSL库。OpenSSL是一个开源的密码库,提供了丰富的加密算法实现。在C语言中使用OpenSSL库实现AES加密解密的示例代码如下:
```c
#include <stdio.h>
#include <stdlib.h>
#include <openssl/aes.h>
void encrypt(const unsigned char *plaintext, int plaintext_len, const unsigned char *key, unsigned char *ciphertext) {
AES_KEY aes_key;
AES_set_encrypt_key(key, 128, &aes_key);
AES_encrypt(plaintext, ciphertext, &aes_key);
}
void decrypt(const unsigned char *ciphertext, int ciphertext_len, const unsigned char *key, unsigned char *plaintext) {
AES_KEY aes_key;
AES_set_decrypt_key(key, 128, &aes_key);
AES_decrypt(ciphertext, plaintext, &aes_key);
}
int main() {
const unsigned char *plaintext = "Hello World!";
unsigned char ciphertext[AES_BLOCK_SIZE];
unsigned char decrypted_plaintext[AES_BLOCK_SIZE];
unsigned char key[AES_BLOCK_SIZE] = "0123456789abcdef";
encrypt(plaintext, AES_BLOCK_SIZE, key, ciphertext);
printf("Ciphertext: ");
for (int i = 0; i < AES_BLOCK_SIZE; i++) {
printf("%02x ", ciphertext[i]);
}
printf("\n");
decrypt(ciphertext, AES_BLOCK_SIZE, key, decrypted_plaintext);
printf("Decrypted plaintext: ");
for (int i = 0; i < AES_BLOCK_SIZE; i++) {
printf("%c", decrypted_plaintext[i]);
}
printf("\n");
return 0;
}
```
上述代码实现了AES加密与解密的功能。首先,在`encrypt`函数中,使用`AES_set_encrypt_key`函数设置加密密钥,并使用`AES_encrypt`函数进行加密操作。然后,在`decrypt`函数中,使用`AES_set_decrypt_key`函数设置解密密钥,并使用`AES_decrypt`函数进行解密操作。
在`main`函数中,定义了需要加密的明文、密文和解密后的明文,以及密钥。调用`encrypt`函数进行加密,并打印密文。然后调用`decrypt`函数进行解密,并打印解密后的明文。
当然,这只是一种C语言实现AES的方式,还有其他的库或算法可以实现AES加密解密,具体实现方式可能略有不同。
阅读全文