我正在尝试在我的一堂课上实现 PHP5 的类型提示,
class ClassA {
public function method_a (ClassB $b)
{}
}
class ClassB {}
class ClassWrong{}
正确用法:
$a = new ClassA;
$a->method_a(new ClassB);
产生错误:
$a = new ClassA;
$a->method_a(new ClassWrong);
可捕获的致命错误:传递给 ClassA::method_a() 的参数 1 必须是 ClassB 的实例,给定 ClassWrong 的实例...
是否有可能捕获该错误(因为它说“可捕获”)?如果是,如何?
E_RECOVERABLE_ERROR
),因为这些错误从 PHP 7 开始就会被捕获。
更新:这在 php 7 中不再是一个可捕获的致命错误。而是抛出一个“异常”。不是从 Exception 而是从 Error 派生的“异常”(用引号括起来);它仍然是 Throwable 并且可以使用普通的 try-catch 块来处理。见https://wiki.php.net/rfc/throwable-interface
例如
<?php
class ClassA {
public function method_a (ClassB $b) { echo 'method_a: ', get_class($b), PHP_EOL; }
}
class ClassWrong{}
class ClassB{}
class ClassC extends ClassB {}
foreach( array('ClassA', 'ClassWrong', 'ClassB', 'ClassC') as $cn ) {
try{
$a = new ClassA;
$a->method_a(new $cn);
}
catch(Error $err) {
echo "catched: ", $err->getMessage(), PHP_EOL;
}
}
echo 'done.';
印刷
catched: Argument 1 passed to ClassA::method_a() must be an instance of ClassB, instance of ClassA given, called in [...]
catched: Argument 1 passed to ClassA::method_a() must be an instance of ClassB, instance of ClassWrong given, called in [...]
method_a: ClassB
method_a: ClassC
done.
php7 之前版本的旧答案:
http://docs.php.net/errorfunc.constants 说:
E_RECOVERABLE_ERROR (integer) 可捕获的致命错误。它表示发生了可能危险的错误,但并未使引擎处于不稳定状态。如果错误未被用户定义的句柄捕获(另见 set_error_handler()),应用程序将中止,因为它是 E_ERROR。
另见:http://derickrethans.nl/erecoverableerror.html
例如
function myErrorHandler($errno, $errstr, $errfile, $errline) {
if ( E_RECOVERABLE_ERROR===$errno ) {
echo "'catched' catchable fatal error\n";
return true;
}
return false;
}
set_error_handler('myErrorHandler');
class ClassA {
public function method_a (ClassB $b) {}
}
class ClassWrong{}
$a = new ClassA;
$a->method_a(new ClassWrong);
echo 'done.';
印刷
'catched' catchable fatal error
done.
编辑:但是您可以“使”它成为可以使用 try-catch 块处理的异常
function myErrorHandler($errno, $errstr, $errfile, $errline) {
if ( E_RECOVERABLE_ERROR===$errno ) {
echo "'catched' catchable fatal error\n";
throw new ErrorException($errstr, $errno, 0, $errfile, $errline);
// return true;
}
return false;
}
set_error_handler('myErrorHandler');
class ClassA {
public function method_a (ClassB $b) {}
}
class ClassWrong{}
try{
$a = new ClassA;
$a->method_a(new ClassWrong);
}
catch(Exception $ex) {
echo "catched\n";
}
echo 'done.';
见:http://docs.php.net/ErrorException
TypeError
、Error
、Exception
或\Throwable
中的任何一个来捕获Catchable fatal error: Object of class stdClass could not be converted to string
- 有什么想法吗?