C语言实现文件加密
原理
加密文本,或加密二进制文件,可以选择的一个最小加密单元是单个字符(或者说,一个byte)。
将每个byte和31做异或运算,得到加密结果。再做一次异或则得以恢复原始数据。
加密文本 - 控制台程序
#include <stdio.h>
#include <stdlib.h>
void encrypt(char* message)
{
char c;
while (*message)
{
*message = *message ^ 31;
message++;
}
}
int main()
{
char msg[80];
while (fgets(msg, 80, stdin))
{
encrypt(msg);
printf("%s", msg);
}
}
使用:
gcc encrypt_text.c -o encrypt_text
./encrypt_text
加密二进制文件
加密代码实现:
int encrypt_binary_file(const char* sourcePath, const char* destPath)
{
unsigned char buffer[1024]; // 读取数据的缓冲区
size_t bytesRead; // 实际读取的字节数
// 打开源文件和目标文件
FILE* sourceFile = fopen(sourcePath, "rb");
if (sourceFile == NULL) {
perror("Error opening source file");
return 1;
}
FILE* destFile = fopen(destPath, "wb");
if (destFile == NULL) {
perror("Error opening destination file");
fclose(sourceFile);
return 1;
}
// 读取源文件,处理数据,写入目标文件
while ((bytesRead = fread(buffer, 1, sizeof(buffer), sourceFile)) > 0) {
for (size_t i = 0; i < bytesRead; i++) {
buffer[i] ^= 31; // 对每个字节进行异或操作
}
fwrite(buffer, 1, bytesRead, destFile); // 写入处理后的数据到目标文件
}
// 关闭文件
fclose(sourceFile);
fclose(destFile);
printf("File has been processed and saved successfully.\n");
return 0;
}
int main(int argc, char** argv)
{
if (argc != 3)
{
fprintf(stderr, "Usage: %s in_file out_file\n", argv[0]);
return 1;
}
encrypt_binary_file(argv[1], argv[2]);
return 0;
}
准备测试的二进制文件:
#include <stdio.h>
int main() { printf("hello world\n"); }
gcc hello.c -o hello
使用:
# 编译
gcc encrypt_bin_file.c -o encrypt_bin_file
# 加密
./encrypt_bin_file hello encrypted_hello
# 解密
./encrypt_bin_file encrypted_hello decrypted_hello
# 运行
chmod +x ./hello
./hello
Reference
"Head First C" 嗨翻C语言 中译本 P182
Greatness is never a given, it must be earned.