在CentOS系統中,readdir
函數是用于讀取目錄內容的系統調用。它本身并不提供文件加密的功能。如果你想要實現文件加密,你可能需要使用其他的工具或庫,比如OpenSSL。
以下是一個簡單的例子,展示如何在CentOS上使用OpenSSL進行文件加密和解密:
安裝OpenSSL(如果尚未安裝):
sudo yum install openssl
加密文件:
使用OpenSSL的enc
命令來加密文件。例如,使用AES-256-CBC算法加密一個名為example.txt
的文件,并將加密后的文件保存為example.enc
:
openssl enc -aes-256-cbc -salt -in example.txt -out example.enc
系統會提示你輸入一個加密密碼。
解密文件:
使用相同的OpenSSL命令,但是使用-d
選項來解密文件:
openssl enc -d -aes-256-cbc -in example.enc -out example_decrypted.txt
系統會提示你輸入之前設置加密時使用的密碼。
如果你想要在程序中使用readdir
函數來遍歷目錄并對每個文件進行加密或解密,你需要在程序中集成OpenSSL庫。以下是一個簡單的C語言示例,展示如何使用readdir
和OpenSSL來加密目錄中的所有文件:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <dirent.h>
#include <openssl/aes.h>
#include <openssl/rand.h>
// 加密文件的函數
void encrypt_file(const char *input_filename, const char *output_filename, const char *password) {
// 打開輸入文件
FILE *infile = fopen(input_filename, "rb");
if (!infile) {
perror("Unable to open input file");
return;
}
// 創建輸出文件
FILE *outfile = fopen(output_filename, "wb");
if (!outfile) {
perror("Unable to open output file");
fclose(infile);
return;
}
// 設置加密參數
AES_KEY enc_key;
AES_set_encrypt_key((const unsigned char *)password, 256, &enc_key);
// 加密文件內容
unsigned char inbuf[4096];
unsigned char outbuf[4096 + AES_BLOCK_SIZE];
int nbytes;
while ((nbytes = fread(inbuf, 1, sizeof(inbuf), infile)) > 0) {
AES_encrypt(inbuf, outbuf, &enc_key);
fwrite(outbuf, 1, sizeof(outbuf), outfile);
}
// 清理
fclose(infile);
fclose(outfile);
}
int main(int argc, char *argv[]) {
if (argc != 2) {
fprintf(stderr, "Usage: %s <directory>\n", argv[0]);
return EXIT_FAILURE;
}
const char *dir = argv[1];
struct dirent *entry;
DIR *dp = opendir(dir);
if (!dp) {
perror("opendir");
return EXIT_FAILURE;
}
while ((entry = readdir(dp)) != NULL) {
// 跳過當前目錄和上級目錄的特殊條目
if (strcmp(entry->d_name, ".") == 0 || strcmp(entry->d_name, "..") == 0) {
continue;
}
// 構建完整的文件路徑
char input_filename[PATH_MAX];
snprintf(input_filename, sizeof(input_filename), "%s/%s", dir, entry->d_name);
// 加密文件
char output_filename[PATH_MAX];
snprintf(output_filename, sizeof(output_filename), "%s/%s.enc", dir, entry->d_name);
encrypt_file(input_filename, output_filename, "your_password_here");
printf("Encrypted file: %s\n", output_filename);
}
closedir(dp);
return EXIT_SUCCESS;
}
請注意,這個示例程序是非?;A的,它沒有處理所有的錯誤情況,并且硬編碼了加密密碼。在實際應用中,你需要添加更多的錯誤檢查,并且安全地處理密碼(例如,使用命令行參數或環境變量傳遞密碼,而不是硬編碼在源代碼中)。
編譯這個程序,你需要鏈接OpenSSL庫:
gcc -o encrypt_files encrypt_files.c -lcrypto
然后運行程序,指定你想要加密的目錄:
./encrypt_files /path/to/directory
這個程序將會遍歷指定的目錄,并將每個文件加密為.enc
擴展名。