[php] PHP 유형 힌팅에서 “catchable fatal error”를 어떻게 잡을 수 있습니까?

내 클래스 중 하나에서 PHP5의 Type Hinting을 구현하려고합니다.

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의 인스턴스가 지정되어야합니다.

그 오류를 잡을 수 있습니까 ( “catchable”이라고 말했기 때문에)? 그렇다면 어떻게?



답변

업데이트 : 이것은 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


답변