我正在尝试执行以下操作:
try {
// just an example
$time = 'wrong datatype';
$timestamp = date("Y-m-d H:i:s", $time);
} catch (Exception $e) {
return false;
}
// database activity here
简而言之:我初始化了一些要放入数据库的变量。如果初始化由于某种原因失败 - 例如因为 $time 不是预期的格式 - 我希望该方法返回 false 并且不向数据库输入错误的数据。
但是,像这样的错误不是由“catch”语句捕获的,而是由全局错误处理程序捕获的。 然后脚本继续。
有办法解决这个问题吗?我只是认为这样做会更干净,而不是手动检查每个变量,考虑到 99% 的情况下都不会发生任何不好的情况,这似乎无效。
try {
// call a success/error/progress handler
} catch (\Throwable $e) { // For PHP 7
// handle $e
} catch (\Exception $e) { // For PHP 5
// handle $e
}
使用ErrorException将错误转为异常来处理:
function exception_error_handler($errno, $errstr, $errfile, $errline ) {
throw new ErrorException($errstr, 0, $errno, $errfile, $errline);
}
set_error_handler("exception_error_handler");
try {
// just an example
$time = 'wrong datatype';
if (false === $timestamp = date("Y-m-d H:i:s", $time)) {
throw new Exception('date error');
}
} catch (Exception $e) {
return false;
}
可以使用
catch(Throwable $e)
捕获所有异常和错误,如下所示:
catch ( Throwable $e){
$msg = $e->getMessage();
}
我发现的较短的:
set_error_handler(function($errno, $errstr, $errfile, $errline ){
throw new ErrorException($errstr, 0, $errno, $errfile, $errline);
});
使所有错误成为可捕获的实例
ErrorException
catch中的
$e
参数也可以定义多种类型:
try {
// just an example
$time = 'wrong datatype';
$timestamp = date("Y-m-d H:i:s", $time);
} catch (Exception|TypeError $e) {
return false;
}