PHP 中 fopen 返回布尔值 TRUE 的原因与修复方法 `fopen()` 本身不会返回 `true`,但错误的逻辑运算符(如 `||`)会导致赋值语句实际保存布尔结果而非资源,从而引发 `fclose()` 接收 `bool` 而非 resource 的致命警告。
问题根源在于这行代码:
$handle = fopen('question.txt', 'r') || die("Cannot open file");表面上看,它试图“打开文件,失败则终止”,但 PHP 的运算符优先级决定了:|| 是逻辑或运算符,其左右两侧先分别求值,再进行布尔判断;而赋值操作 = 的优先级低于 ||。因此,该语句等价于:
$handle = (fopen('question.txt', 'r') || die("Cannot open file"));这意味着:
这就是为什么 print("fopen returns handle=[$handle]"); 输出 [1](即 true 的字符串化),而后续 fclose($handle) 报错:fclose() 严格要求参数是 resource 类型,传入 bool 直接触发警告。
✅ 正确写法应分离「打开」与「错误处理」逻辑。推荐以下两种安全模式:
方式一:条件赋值(简洁常用)
if (!$handle = fopen('question.txt', 'r')) {
die("Cannot open file: " . error_get_last()['message']);
}
// 此时 $handle 确保为 resource
echo "File opened successfully.\n";
fclose($handle);方式二:显式检查(更清晰可读)
$handle = fopen('question.txt', 'r');
if ($handle === false) {
die("Cannot open file: " . error_get_last()['message']);
}
fclose($handle);⚠️ 注意事项:

总结:这不是 fopen 的 Bug,而是运算符优先级与赋值逻辑混淆导致的典型陷阱。牢记——资源操作必须独立赋值并显式校验,才能确保类型安全与代码健壮性。