我正在尝试在我的一堂课上实现 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 的实例...

我可以知道是否可以捕获该错误(因为它说“可捕获”)?如果是,怎么办?

谢谢。

有帮助吗?

解决方案

更新:在 php 7 中,这不再是一个可捕获的致命错误。相反,会引发“异常”。并非源自的“异常”(用引号引起来) 例外错误;它仍然是一个 可投掷 并且可以用普通的 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(整数)
可捕获的致命错误。它表明发生了可能危险的错误,但并未使引擎处于不稳定状态。如果错误未被用户定义的句柄捕获(另请参见 设置错误处理程序()),应用程序会中止,因为它是一个 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

许可以下: CC-BY-SA归因
不隶属于 StackOverflow
scroll top