vendor/symfony/error-handler/ErrorHandler.php line 386

Open in your IDE?
  1. <?php
  2. /*
  3.  * This file is part of the Symfony package.
  4.  *
  5.  * (c) Fabien Potencier <fabien@symfony.com>
  6.  *
  7.  * For the full copyright and license information, please view the LICENSE
  8.  * file that was distributed with this source code.
  9.  */
  10. namespace Symfony\Component\ErrorHandler;
  11. use Psr\Log\LoggerInterface;
  12. use Psr\Log\LogLevel;
  13. use Symfony\Component\ErrorHandler\Error\FatalError;
  14. use Symfony\Component\ErrorHandler\Error\OutOfMemoryError;
  15. use Symfony\Component\ErrorHandler\ErrorEnhancer\ClassNotFoundErrorEnhancer;
  16. use Symfony\Component\ErrorHandler\ErrorEnhancer\ErrorEnhancerInterface;
  17. use Symfony\Component\ErrorHandler\ErrorEnhancer\UndefinedFunctionErrorEnhancer;
  18. use Symfony\Component\ErrorHandler\ErrorEnhancer\UndefinedMethodErrorEnhancer;
  19. use Symfony\Component\ErrorHandler\ErrorRenderer\CliErrorRenderer;
  20. use Symfony\Component\ErrorHandler\ErrorRenderer\HtmlErrorRenderer;
  21. use Symfony\Component\ErrorHandler\Exception\SilencedErrorContext;
  22. /**
  23.  * A generic ErrorHandler for the PHP engine.
  24.  *
  25.  * Provides five bit fields that control how errors are handled:
  26.  * - thrownErrors: errors thrown as \ErrorException
  27.  * - loggedErrors: logged errors, when not @-silenced
  28.  * - scopedErrors: errors thrown or logged with their local context
  29.  * - tracedErrors: errors logged with their stack trace
  30.  * - screamedErrors: never @-silenced errors
  31.  *
  32.  * Each error level can be logged by a dedicated PSR-3 logger object.
  33.  * Screaming only applies to logging.
  34.  * Throwing takes precedence over logging.
  35.  * Uncaught exceptions are logged as E_ERROR.
  36.  * E_DEPRECATED and E_USER_DEPRECATED levels never throw.
  37.  * E_RECOVERABLE_ERROR and E_USER_ERROR levels always throw.
  38.  * Non catchable errors that can be detected at shutdown time are logged when the scream bit field allows so.
  39.  * As errors have a performance cost, repeated errors are all logged, so that the developer
  40.  * can see them and weight them as more important to fix than others of the same level.
  41.  *
  42.  * @author Nicolas Grekas <p@tchwork.com>
  43.  * @author GrĂ©goire Pineau <lyrixx@lyrixx.info>
  44.  *
  45.  * @final
  46.  */
  47. class ErrorHandler
  48. {
  49.     private array $levels = [
  50.         \E_DEPRECATED => 'Deprecated',
  51.         \E_USER_DEPRECATED => 'User Deprecated',
  52.         \E_NOTICE => 'Notice',
  53.         \E_USER_NOTICE => 'User Notice',
  54.         \E_STRICT => 'Runtime Notice',
  55.         \E_WARNING => 'Warning',
  56.         \E_USER_WARNING => 'User Warning',
  57.         \E_COMPILE_WARNING => 'Compile Warning',
  58.         \E_CORE_WARNING => 'Core Warning',
  59.         \E_USER_ERROR => 'User Error',
  60.         \E_RECOVERABLE_ERROR => 'Catchable Fatal Error',
  61.         \E_COMPILE_ERROR => 'Compile Error',
  62.         \E_PARSE => 'Parse Error',
  63.         \E_ERROR => 'Error',
  64.         \E_CORE_ERROR => 'Core Error',
  65.     ];
  66.     private array $loggers = [
  67.         \E_DEPRECATED => [nullLogLevel::INFO],
  68.         \E_USER_DEPRECATED => [nullLogLevel::INFO],
  69.         \E_NOTICE => [nullLogLevel::WARNING],
  70.         \E_USER_NOTICE => [nullLogLevel::WARNING],
  71.         \E_STRICT => [nullLogLevel::WARNING],
  72.         \E_WARNING => [nullLogLevel::WARNING],
  73.         \E_USER_WARNING => [nullLogLevel::WARNING],
  74.         \E_COMPILE_WARNING => [nullLogLevel::WARNING],
  75.         \E_CORE_WARNING => [nullLogLevel::WARNING],
  76.         \E_USER_ERROR => [nullLogLevel::CRITICAL],
  77.         \E_RECOVERABLE_ERROR => [nullLogLevel::CRITICAL],
  78.         \E_COMPILE_ERROR => [nullLogLevel::CRITICAL],
  79.         \E_PARSE => [nullLogLevel::CRITICAL],
  80.         \E_ERROR => [nullLogLevel::CRITICAL],
  81.         \E_CORE_ERROR => [nullLogLevel::CRITICAL],
  82.     ];
  83.     private int $thrownErrors 0x1FFF// E_ALL - E_DEPRECATED - E_USER_DEPRECATED
  84.     private int $scopedErrors 0x1FFF// E_ALL - E_DEPRECATED - E_USER_DEPRECATED
  85.     private int $tracedErrors 0x77FB// E_ALL - E_STRICT - E_PARSE
  86.     private int $screamedErrors 0x55// E_ERROR + E_CORE_ERROR + E_COMPILE_ERROR + E_PARSE
  87.     private int $loggedErrors 0;
  88.     private \Closure $configureException;
  89.     private bool $debug;
  90.     private bool $isRecursive false;
  91.     private bool $isRoot false;
  92.     private $exceptionHandler;
  93.     private ?BufferingLogger $bootstrappingLogger null;
  94.     private static ?string $reservedMemory null;
  95.     private static array $silencedErrorCache = [];
  96.     private static int $silencedErrorCount 0;
  97.     private static int $exitCode 0;
  98.     /**
  99.      * Registers the error handler.
  100.      */
  101.     public static function register(self $handler nullbool $replace true): self
  102.     {
  103.         if (null === self::$reservedMemory) {
  104.             self::$reservedMemory str_repeat('x'32768);
  105.             register_shutdown_function(__CLASS__.'::handleFatalError');
  106.         }
  107.         if ($handlerIsNew null === $handler) {
  108.             $handler = new static();
  109.         }
  110.         if (null === $prev set_error_handler([$handler'handleError'])) {
  111.             restore_error_handler();
  112.             // Specifying the error types earlier would expose us to https://bugs.php.net/63206
  113.             set_error_handler([$handler'handleError'], $handler->thrownErrors $handler->loggedErrors);
  114.             $handler->isRoot true;
  115.         }
  116.         if ($handlerIsNew && \is_array($prev) && $prev[0] instanceof self) {
  117.             $handler $prev[0];
  118.             $replace false;
  119.         }
  120.         if (!$replace && $prev) {
  121.             restore_error_handler();
  122.             $handlerIsRegistered \is_array($prev) && $handler === $prev[0];
  123.         } else {
  124.             $handlerIsRegistered true;
  125.         }
  126.         if (\is_array($prev set_exception_handler([$handler'handleException'])) && $prev[0] instanceof self) {
  127.             restore_exception_handler();
  128.             if (!$handlerIsRegistered) {
  129.                 $handler $prev[0];
  130.             } elseif ($handler !== $prev[0] && $replace) {
  131.                 set_exception_handler([$handler'handleException']);
  132.                 $p $prev[0]->setExceptionHandler(null);
  133.                 $handler->setExceptionHandler($p);
  134.                 $prev[0]->setExceptionHandler($p);
  135.             }
  136.         } else {
  137.             $handler->setExceptionHandler($prev ?? [$handler'renderException']);
  138.         }
  139.         $handler->throwAt(\E_ALL $handler->thrownErrorstrue);
  140.         return $handler;
  141.     }
  142.     /**
  143.      * Calls a function and turns any PHP error into \ErrorException.
  144.      *
  145.      * @throws \ErrorException When $function(...$arguments) triggers a PHP error
  146.      */
  147.     public static function call(callable $functionmixed ...$arguments): mixed
  148.     {
  149.         set_error_handler(static function (int $typestring $messagestring $fileint $line) {
  150.             if (__FILE__ === $file) {
  151.                 $trace debug_backtrace(\DEBUG_BACKTRACE_IGNORE_ARGS3);
  152.                 $file $trace[2]['file'] ?? $file;
  153.                 $line $trace[2]['line'] ?? $line;
  154.             }
  155.             throw new \ErrorException($message0$type$file$line);
  156.         });
  157.         try {
  158.             return $function(...$arguments);
  159.         } finally {
  160.             restore_error_handler();
  161.         }
  162.     }
  163.     public function __construct(BufferingLogger $bootstrappingLogger nullbool $debug false)
  164.     {
  165.         if ($bootstrappingLogger) {
  166.             $this->bootstrappingLogger $bootstrappingLogger;
  167.             $this->setDefaultLogger($bootstrappingLogger);
  168.         }
  169.         $traceReflector = new \ReflectionProperty(\Exception::class, 'trace');
  170.         $this->configureException \Closure::bind(static function ($e$trace$file null$line null) use ($traceReflector) {
  171.             $traceReflector->setValue($e$trace);
  172.             $e->file $file ?? $e->file;
  173.             $e->line $line ?? $e->line;
  174.         }, null, new class() extends \Exception {
  175.         });
  176.         $this->debug $debug;
  177.     }
  178.     /**
  179.      * Sets a logger to non assigned errors levels.
  180.      *
  181.      * @param LoggerInterface $logger  A PSR-3 logger to put as default for the given levels
  182.      * @param array|int|null  $levels  An array map of E_* to LogLevel::* or an integer bit field of E_* constants
  183.      * @param bool            $replace Whether to replace or not any existing logger
  184.      */
  185.     public function setDefaultLogger(LoggerInterface $logger, array|int|null $levels \E_ALLbool $replace false): void
  186.     {
  187.         $loggers = [];
  188.         if (\is_array($levels)) {
  189.             foreach ($levels as $type => $logLevel) {
  190.                 if (empty($this->loggers[$type][0]) || $replace || $this->loggers[$type][0] === $this->bootstrappingLogger) {
  191.                     $loggers[$type] = [$logger$logLevel];
  192.                 }
  193.             }
  194.         } else {
  195.             if (null === $levels) {
  196.                 $levels \E_ALL;
  197.             }
  198.             foreach ($this->loggers as $type => $log) {
  199.                 if (($type $levels) && (empty($log[0]) || $replace || $log[0] === $this->bootstrappingLogger)) {
  200.                     $log[0] = $logger;
  201.                     $loggers[$type] = $log;
  202.                 }
  203.             }
  204.         }
  205.         $this->setLoggers($loggers);
  206.     }
  207.     /**
  208.      * Sets a logger for each error level.
  209.      *
  210.      * @param array $loggers Error levels to [LoggerInterface|null, LogLevel::*] map
  211.      *
  212.      * @throws \InvalidArgumentException
  213.      */
  214.     public function setLoggers(array $loggers): array
  215.     {
  216.         $prevLogged $this->loggedErrors;
  217.         $prev $this->loggers;
  218.         $flush = [];
  219.         foreach ($loggers as $type => $log) {
  220.             if (!isset($prev[$type])) {
  221.                 throw new \InvalidArgumentException('Unknown error type: '.$type);
  222.             }
  223.             if (!\is_array($log)) {
  224.                 $log = [$log];
  225.             } elseif (!\array_key_exists(0$log)) {
  226.                 throw new \InvalidArgumentException('No logger provided.');
  227.             }
  228.             if (null === $log[0]) {
  229.                 $this->loggedErrors &= ~$type;
  230.             } elseif ($log[0] instanceof LoggerInterface) {
  231.                 $this->loggedErrors |= $type;
  232.             } else {
  233.                 throw new \InvalidArgumentException('Invalid logger provided.');
  234.             }
  235.             $this->loggers[$type] = $log $prev[$type];
  236.             if ($this->bootstrappingLogger && $prev[$type][0] === $this->bootstrappingLogger) {
  237.                 $flush[$type] = $type;
  238.             }
  239.         }
  240.         $this->reRegister($prevLogged $this->thrownErrors);
  241.         if ($flush) {
  242.             foreach ($this->bootstrappingLogger->cleanLogs() as $log) {
  243.                 $type ThrowableUtils::getSeverity($log[2]['exception']);
  244.                 if (!isset($flush[$type])) {
  245.                     $this->bootstrappingLogger->log($log[0], $log[1], $log[2]);
  246.                 } elseif ($this->loggers[$type][0]) {
  247.                     $this->loggers[$type][0]->log($this->loggers[$type][1], $log[1], $log[2]);
  248.                 }
  249.             }
  250.         }
  251.         return $prev;
  252.     }
  253.     public function setExceptionHandler(?callable $handler): ?callable
  254.     {
  255.         $prev $this->exceptionHandler;
  256.         $this->exceptionHandler $handler;
  257.         return $prev;
  258.     }
  259.     /**
  260.      * Sets the PHP error levels that throw an exception when a PHP error occurs.
  261.      *
  262.      * @param int  $levels  A bit field of E_* constants for thrown errors
  263.      * @param bool $replace Replace or amend the previous value
  264.      */
  265.     public function throwAt(int $levelsbool $replace false): int
  266.     {
  267.         $prev $this->thrownErrors;
  268.         $this->thrownErrors = ($levels \E_RECOVERABLE_ERROR \E_USER_ERROR) & ~\E_USER_DEPRECATED & ~\E_DEPRECATED;
  269.         if (!$replace) {
  270.             $this->thrownErrors |= $prev;
  271.         }
  272.         $this->reRegister($prev $this->loggedErrors);
  273.         return $prev;
  274.     }
  275.     /**
  276.      * Sets the PHP error levels for which local variables are preserved.
  277.      *
  278.      * @param int  $levels  A bit field of E_* constants for scoped errors
  279.      * @param bool $replace Replace or amend the previous value
  280.      */
  281.     public function scopeAt(int $levelsbool $replace false): int
  282.     {
  283.         $prev $this->scopedErrors;
  284.         $this->scopedErrors $levels;
  285.         if (!$replace) {
  286.             $this->scopedErrors |= $prev;
  287.         }
  288.         return $prev;
  289.     }
  290.     /**
  291.      * Sets the PHP error levels for which the stack trace is preserved.
  292.      *
  293.      * @param int  $levels  A bit field of E_* constants for traced errors
  294.      * @param bool $replace Replace or amend the previous value
  295.      */
  296.     public function traceAt(int $levelsbool $replace false): int
  297.     {
  298.         $prev $this->tracedErrors;
  299.         $this->tracedErrors $levels;
  300.         if (!$replace) {
  301.             $this->tracedErrors |= $prev;
  302.         }
  303.         return $prev;
  304.     }
  305.     /**
  306.      * Sets the error levels where the @-operator is ignored.
  307.      *
  308.      * @param int  $levels  A bit field of E_* constants for screamed errors
  309.      * @param bool $replace Replace or amend the previous value
  310.      */
  311.     public function screamAt(int $levelsbool $replace false): int
  312.     {
  313.         $prev $this->screamedErrors;
  314.         $this->screamedErrors $levels;
  315.         if (!$replace) {
  316.             $this->screamedErrors |= $prev;
  317.         }
  318.         return $prev;
  319.     }
  320.     /**
  321.      * Re-registers as a PHP error handler if levels changed.
  322.      */
  323.     private function reRegister(int $prev): void
  324.     {
  325.         if ($prev !== ($this->thrownErrors $this->loggedErrors)) {
  326.             $handler set_error_handler('is_int');
  327.             $handler \is_array($handler) ? $handler[0] : null;
  328.             restore_error_handler();
  329.             if ($handler === $this) {
  330.                 restore_error_handler();
  331.                 if ($this->isRoot) {
  332.                     set_error_handler([$this'handleError'], $this->thrownErrors $this->loggedErrors);
  333.                 } else {
  334.                     set_error_handler([$this'handleError']);
  335.                 }
  336.             }
  337.         }
  338.     }
  339.     /**
  340.      * Handles errors by filtering then logging them according to the configured bit fields.
  341.      *
  342.      * @return bool Returns false when no handling happens so that the PHP engine can handle the error itself
  343.      *
  344.      * @throws \ErrorException When $this->thrownErrors requests so
  345.      *
  346.      * @internal
  347.      */
  348.     public function handleError(int $typestring $messagestring $fileint $line): bool
  349.     {
  350.         if (\E_WARNING === $type && '"' === $message[0] && str_contains($message'" targeting switch is equivalent to "break')) {
  351.             $type \E_DEPRECATED;
  352.         }
  353.         // Level is the current error reporting level to manage silent error.
  354.         $level error_reporting();
  355.         $silenced === ($level $type);
  356.         // Strong errors are not authorized to be silenced.
  357.         $level |= \E_RECOVERABLE_ERROR \E_USER_ERROR \E_DEPRECATED \E_USER_DEPRECATED;
  358.         $log $this->loggedErrors $type;
  359.         $throw $this->thrownErrors $type $level;
  360.         $type &= $level $this->screamedErrors;
  361.         // Never throw on warnings triggered by assert()
  362.         if (\E_WARNING === $type && 'a' === $message[0] && === strncmp($message'assert(): '10)) {
  363.             $throw 0;
  364.         }
  365.         if (!$type || (!$log && !$throw)) {
  366.             return false;
  367.         }
  368.         $logMessage $this->levels[$type].': '.$message;
  369.         if (!$throw && !($type $level)) {
  370.             if (!isset(self::$silencedErrorCache[$id $file.':'.$line])) {
  371.                 $lightTrace $this->tracedErrors $type $this->cleanTrace(debug_backtrace(\DEBUG_BACKTRACE_IGNORE_ARGS5), $type$file$linefalse) : [];
  372.                 $errorAsException = new SilencedErrorContext($type$file$line, isset($lightTrace[1]) ? [$lightTrace[0]] : $lightTrace);
  373.             } elseif (isset(self::$silencedErrorCache[$id][$message])) {
  374.                 $lightTrace null;
  375.                 $errorAsException self::$silencedErrorCache[$id][$message];
  376.                 ++$errorAsException->count;
  377.             } else {
  378.                 $lightTrace = [];
  379.                 $errorAsException null;
  380.             }
  381.             if (100 < ++self::$silencedErrorCount) {
  382.                 self::$silencedErrorCache $lightTrace = [];
  383.                 self::$silencedErrorCount 1;
  384.             }
  385.             if ($errorAsException) {
  386.                 self::$silencedErrorCache[$id][$message] = $errorAsException;
  387.             }
  388.             if (null === $lightTrace) {
  389.                 return true;
  390.             }
  391.         } else {
  392.             if (str_contains($message'@anonymous')) {
  393.                 $backtrace debug_backtrace(false5);
  394.                 for ($i 1; isset($backtrace[$i]); ++$i) {
  395.                     if (isset($backtrace[$i]['function'], $backtrace[$i]['args'][0])
  396.                         && ('trigger_error' === $backtrace[$i]['function'] || 'user_error' === $backtrace[$i]['function'])
  397.                     ) {
  398.                         if ($backtrace[$i]['args'][0] !== $message) {
  399.                             $message $this->parseAnonymousClass($backtrace[$i]['args'][0]);
  400.                             $logMessage $this->levels[$type].': '.$message;
  401.                         }
  402.                         break;
  403.                     }
  404.                 }
  405.             }
  406.             $errorAsException = new \ErrorException($logMessage0$type$file$line);
  407.             if ($throw || $this->tracedErrors $type) {
  408.                 $backtrace $errorAsException->getTrace();
  409.                 $lightTrace $this->cleanTrace($backtrace$type$file$line$throw);
  410.                 ($this->configureException)($errorAsException$lightTrace$file$line);
  411.             } else {
  412.                 ($this->configureException)($errorAsException, []);
  413.                 $backtrace = [];
  414.             }
  415.         }
  416.         if ($throw) {
  417.             throw $errorAsException;
  418.         }
  419.         if ($this->isRecursive) {
  420.             $log 0;
  421.         } else {
  422.             try {
  423.                 $this->isRecursive true;
  424.                 $level = ($type $level) ? $this->loggers[$type][1] : LogLevel::DEBUG;
  425.                 $this->loggers[$type][0]->log($level$logMessage$errorAsException ? ['exception' => $errorAsException] : []);
  426.             } finally {
  427.                 $this->isRecursive false;
  428.             }
  429.         }
  430.         return !$silenced && $type && $log;
  431.     }
  432.     /**
  433.      * Handles an exception by logging then forwarding it to another handler.
  434.      *
  435.      * @internal
  436.      */
  437.     public function handleException(\Throwable $exception)
  438.     {
  439.         $handlerException null;
  440.         if (!$exception instanceof FatalError) {
  441.             self::$exitCode 255;
  442.             $type ThrowableUtils::getSeverity($exception);
  443.         } else {
  444.             $type $exception->getError()['type'];
  445.         }
  446.         if ($this->loggedErrors $type) {
  447.             if (str_contains($message $exception->getMessage(), "@anonymous\0")) {
  448.                 $message $this->parseAnonymousClass($message);
  449.             }
  450.             if ($exception instanceof FatalError) {
  451.                 $message 'Fatal '.$message;
  452.             } elseif ($exception instanceof \Error) {
  453.                 $message 'Uncaught Error: '.$message;
  454.             } elseif ($exception instanceof \ErrorException) {
  455.                 $message 'Uncaught '.$message;
  456.             } else {
  457.                 $message 'Uncaught Exception: '.$message;
  458.             }
  459.             try {
  460.                 $this->loggers[$type][0]->log($this->loggers[$type][1], $message, ['exception' => $exception]);
  461.             } catch (\Throwable $handlerException) {
  462.             }
  463.         }
  464.         if (!$exception instanceof OutOfMemoryError) {
  465.             foreach ($this->getErrorEnhancers() as $errorEnhancer) {
  466.                 if ($e $errorEnhancer->enhance($exception)) {
  467.                     $exception $e;
  468.                     break;
  469.                 }
  470.             }
  471.         }
  472.         $exceptionHandler $this->exceptionHandler;
  473.         $this->exceptionHandler = [$this'renderException'];
  474.         if (null === $exceptionHandler || $exceptionHandler === $this->exceptionHandler) {
  475.             $this->exceptionHandler null;
  476.         }
  477.         try {
  478.             if (null !== $exceptionHandler) {
  479.                 return $exceptionHandler($exception);
  480.             }
  481.             $handlerException $handlerException ?: $exception;
  482.         } catch (\Throwable $handlerException) {
  483.         }
  484.         if ($exception === $handlerException && null === $this->exceptionHandler) {
  485.             self::$reservedMemory null// Disable the fatal error handler
  486.             throw $exception// Give back $exception to the native handler
  487.         }
  488.         $loggedErrors $this->loggedErrors;
  489.         if ($exception === $handlerException) {
  490.             $this->loggedErrors &= ~$type;
  491.         }
  492.         try {
  493.             $this->handleException($handlerException);
  494.         } finally {
  495.             $this->loggedErrors $loggedErrors;
  496.         }
  497.     }
  498.     /**
  499.      * Shutdown registered function for handling PHP fatal errors.
  500.      *
  501.      * @param array|null $error An array as returned by error_get_last()
  502.      *
  503.      * @internal
  504.      */
  505.     public static function handleFatalError(array $error null): void
  506.     {
  507.         if (null === self::$reservedMemory) {
  508.             return;
  509.         }
  510.         $handler self::$reservedMemory null;
  511.         $handlers = [];
  512.         $previousHandler null;
  513.         $sameHandlerLimit 10;
  514.         while (!\is_array($handler) || !$handler[0] instanceof self) {
  515.             $handler set_exception_handler('is_int');
  516.             restore_exception_handler();
  517.             if (!$handler) {
  518.                 break;
  519.             }
  520.             restore_exception_handler();
  521.             if ($handler !== $previousHandler) {
  522.                 array_unshift($handlers$handler);
  523.                 $previousHandler $handler;
  524.             } elseif (=== --$sameHandlerLimit) {
  525.                 $handler null;
  526.                 break;
  527.             }
  528.         }
  529.         foreach ($handlers as $h) {
  530.             set_exception_handler($h);
  531.         }
  532.         if (!$handler) {
  533.             return;
  534.         }
  535.         if ($handler !== $h) {
  536.             $handler[0]->setExceptionHandler($h);
  537.         }
  538.         $handler $handler[0];
  539.         $handlers = [];
  540.         if ($exit null === $error) {
  541.             $error error_get_last();
  542.         }
  543.         if ($error && $error['type'] &= \E_PARSE \E_ERROR \E_CORE_ERROR \E_COMPILE_ERROR) {
  544.             // Let's not throw anymore but keep logging
  545.             $handler->throwAt(0true);
  546.             $trace $error['backtrace'] ?? null;
  547.             if (str_starts_with($error['message'], 'Allowed memory') || str_starts_with($error['message'], 'Out of memory')) {
  548.                 $fatalError = new OutOfMemoryError($handler->levels[$error['type']].': '.$error['message'], 0$error2false$trace);
  549.             } else {
  550.                 $fatalError = new FatalError($handler->levels[$error['type']].': '.$error['message'], 0$error2true$trace);
  551.             }
  552.         } else {
  553.             $fatalError null;
  554.         }
  555.         try {
  556.             if (null !== $fatalError) {
  557.                 self::$exitCode 255;
  558.                 $handler->handleException($fatalError);
  559.             }
  560.         } catch (FatalError) {
  561.             // Ignore this re-throw
  562.         }
  563.         if ($exit && self::$exitCode) {
  564.             $exitCode self::$exitCode;
  565.             register_shutdown_function('register_shutdown_function', function () use ($exitCode) { exit($exitCode); });
  566.         }
  567.     }
  568.     /**
  569.      * Renders the given exception.
  570.      *
  571.      * As this method is mainly called during boot where nothing is yet available,
  572.      * the output is always either HTML or CLI depending where PHP runs.
  573.      */
  574.     private function renderException(\Throwable $exception): void
  575.     {
  576.         $renderer \in_array(\PHP_SAPI, ['cli''phpdbg'], true) ? new CliErrorRenderer() : new HtmlErrorRenderer($this->debug);
  577.         $exception $renderer->render($exception);
  578.         if (!headers_sent()) {
  579.             http_response_code($exception->getStatusCode());
  580.             foreach ($exception->getHeaders() as $name => $value) {
  581.                 header($name.': '.$valuefalse);
  582.             }
  583.         }
  584.         echo $exception->getAsString();
  585.     }
  586.     /**
  587.      * Override this method if you want to define more error enhancers.
  588.      *
  589.      * @return ErrorEnhancerInterface[]
  590.      */
  591.     protected function getErrorEnhancers(): iterable
  592.     {
  593.         return [
  594.             new UndefinedFunctionErrorEnhancer(),
  595.             new UndefinedMethodErrorEnhancer(),
  596.             new ClassNotFoundErrorEnhancer(),
  597.         ];
  598.     }
  599.     /**
  600.      * Cleans the trace by removing function arguments and the frames added by the error handler and DebugClassLoader.
  601.      */
  602.     private function cleanTrace(array $backtraceint $typestring &$fileint &$linebool $throw): array
  603.     {
  604.         $lightTrace $backtrace;
  605.         for ($i 0; isset($backtrace[$i]); ++$i) {
  606.             if (isset($backtrace[$i]['file'], $backtrace[$i]['line']) && $backtrace[$i]['line'] === $line && $backtrace[$i]['file'] === $file) {
  607.                 $lightTrace \array_slice($lightTrace$i);
  608.                 break;
  609.             }
  610.         }
  611.         if (\E_USER_DEPRECATED === $type) {
  612.             for ($i 0; isset($lightTrace[$i]); ++$i) {
  613.                 if (!isset($lightTrace[$i]['file'], $lightTrace[$i]['line'], $lightTrace[$i]['function'])) {
  614.                     continue;
  615.                 }
  616.                 if (!isset($lightTrace[$i]['class']) && 'trigger_deprecation' === $lightTrace[$i]['function']) {
  617.                     $file $lightTrace[$i]['file'];
  618.                     $line $lightTrace[$i]['line'];
  619.                     $lightTrace \array_slice($lightTrace$i);
  620.                     break;
  621.                 }
  622.             }
  623.         }
  624.         if (class_exists(DebugClassLoader::class, false)) {
  625.             for ($i \count($lightTrace) - 2$i; --$i) {
  626.                 if (DebugClassLoader::class === ($lightTrace[$i]['class'] ?? null)) {
  627.                     array_splice($lightTrace, --$i2);
  628.                 }
  629.             }
  630.         }
  631.         if (!($throw || $this->scopedErrors $type)) {
  632.             for ($i 0; isset($lightTrace[$i]); ++$i) {
  633.                 unset($lightTrace[$i]['args'], $lightTrace[$i]['object']);
  634.             }
  635.         }
  636.         return $lightTrace;
  637.     }
  638.     /**
  639.      * Parse the error message by removing the anonymous class notation
  640.      * and using the parent class instead if possible.
  641.      */
  642.     private function parseAnonymousClass(string $message): string
  643.     {
  644.         return preg_replace_callback('/[a-zA-Z_\x7f-\xff][\\\\a-zA-Z0-9_\x7f-\xff]*+@anonymous\x00.*?\.php(?:0x?|:[0-9]++\$)[0-9a-fA-F]++/', static function ($m) {
  645.             return class_exists($m[0], false) ? (get_parent_class($m[0]) ?: key(class_implements($m[0])) ?: 'class').'@anonymous' $m[0];
  646.         }, $message);
  647.     }
  648. }