在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。