在PHP中,fgetc()
函數用于從文件中讀取一個字符。結合其他文件操作函數和加密/解密算法,你可以實現文件的加密和解密。以下是一個使用fgetc()
的簡單加密和解密示例:
fgetc()
逐字符讀取文件內容,并使用ord()
函數獲取每個字符的ASCII值。然后,使用自定義的加密算法(例如,簡單的凱撒密碼)對每個字符進行加密。function encrypt($input, $key) {
$output = '';
$length = strlen($input);
for ($i = 0; $i < $length; $i++) {
$char = $input[$i];
$ascii = ord($char);
$shifted = $ascii + $key;
$output .= chr($shifted % 128); // 限制在ASCII范圍內
}
return $output;
}
fgetc()
逐字符讀取加密文件內容,并使用ord()
函數獲取每個字符的ASCII值。然后,使用相同的加密算法(在這個例子中是凱撒密碼)對每個字符進行解密。function decrypt($input, $key) {
$output = '';
$length = strlen($input);
for ($i = 0; $i < $length; $i++) {
$char = $input[$i];
$ascii = ord($char);
$shifted = $ascii - $key;
$output .= chr($shifted % 128); // 限制在ASCII范圍內
}
return $output;
}
$inputFile = 'original.txt';
$outputFile = 'encrypted.txt';
$key = 3; // 凱撒密碼中的位移量
$file = fopen($inputFile, 'r');
$encryptedFile = fopen($outputFile, 'w');
while (($char = fgetc($file)) !== false) {
$encryptedChar = encrypt($char, $key);
fwrite($encryptedFile, $encryptedChar);
}
fclose($file);
fclose($encryptedFile);
$inputFile = 'encrypted.txt';
$outputFile = 'original.txt';
$file = fopen($inputFile, 'r');
$decryptedFile = fopen($outputFile, 'w');
while (($char = fgetc($file)) !== false) {
$decryptedChar = decrypt($char, $key);
fwrite($decryptedFile, $decryptedChar);
}
fclose($file);
fclose($decryptedFile);
請注意,這個示例使用了簡單的凱撒密碼加密算法,它不是安全的加密方法。在實際應用中,你應該使用更強大和安全的加密算法,如AES或RSA。