在C++中,可以使用一些加密算法來實現(xiàn)文件加密和解密。
一種常見的加密算法是AES (Advanced Encryption Standard)。以下是一個使用AES算法對文件進行加密和解密的示例代碼:
#include <iostream>
#include <fstream>
#include <string>
#include <openssl/aes.h>
const int AES_KEY_LENGTH = 128; // 使用128位的AES加密
std::string encryptFile(const std::string& inputFile, const std::string& outputFile, const std::string& key) {
std::ifstream fin(inputFile, std::ios::binary);
std::ofstream fout(outputFile, std::ios::binary);
// 設置AES加密密鑰
AES_KEY aesKey;
AES_set_encrypt_key((const unsigned char*)key.c_str(), AES_KEY_LENGTH, &aesKey);
// 加密文件
unsigned char inBuffer[AES_BLOCK_SIZE];
unsigned char outBuffer[AES_BLOCK_SIZE];
while (fin.read((char*)inBuffer, AES_BLOCK_SIZE)) {
AES_encrypt(inBuffer, outBuffer, &aesKey);
fout.write((char*)outBuffer, AES_BLOCK_SIZE);
}
fin.close();
fout.close();
return outputFile;
}
std::string decryptFile(const std::string& inputFile, const std::string& outputFile, const std::string& key) {
std::ifstream fin(inputFile, std::ios::binary);
std::ofstream fout(outputFile, std::ios::binary);
// 設置AES解密密鑰
AES_KEY aesKey;
AES_set_decrypt_key((const unsigned char*)key.c_str(), AES_KEY_LENGTH, &aesKey);
// 解密文件
unsigned char inBuffer[AES_BLOCK_SIZE];
unsigned char outBuffer[AES_BLOCK_SIZE];
while (fin.read((char*)inBuffer, AES_BLOCK_SIZE)) {
AES_decrypt(inBuffer, outBuffer, &aesKey);
fout.write((char*)outBuffer, AES_BLOCK_SIZE);
}
fin.close();
fout.close();
return outputFile;
}
int main() {
std::string inputFile = "input.txt";
std::string encryptedFile = "encrypted.txt";
std::string decryptedFile = "decrypted.txt";
std::string key = "mykey1234567890"; // 密鑰
encryptFile(inputFile, encryptedFile, key);
decryptFile(encryptedFile, decryptedFile, key);
return 0;
}
上述代碼使用OpenSSL庫中的AES函數(shù)。encryptFile
函數(shù)接收輸入文件路徑、輸出文件路徑和密鑰作為參數(shù),將輸入文件內(nèi)容加密后寫入輸出文件。decryptFile
函數(shù)接收加密后的文件路徑、解密后的文件路徑和密鑰作為參數(shù),將加密文件內(nèi)容解密后寫入解密后的文件。
請注意,這只是一個簡單的示例代碼,僅用于演示AES加密和解密。在實際應用中,需要考慮更多的安全性問題,如密鑰的生成和存儲、加密模式的選擇等。