MediaWiki master
MWExceptionHandler.php
Go to the documentation of this file.
1<?php
21namespace MediaWiki\Exception;
22
23use ErrorException;
29use Psr\Log\LogLevel;
30use Throwable;
31use Wikimedia\NormalizedException\INormalizedException;
35use Wikimedia\Services\RecursiveServiceDependencyException;
36
43 public const CAUGHT_BY_HANDLER = 'mwe_handler';
45 public const CAUGHT_BY_ENTRYPOINT = 'entrypoint';
47 public const CAUGHT_BY_OTHER = 'other';
48
50 protected static $reservedMemory;
51
60 private const FATAL_ERROR_TYPES = [
61 E_ERROR,
62 E_PARSE,
63 E_CORE_ERROR,
64 E_COMPILE_ERROR,
65 E_USER_ERROR,
66
67 / E.g. "Catchable fatal error: Argument X must be Y, null given"
68 E_RECOVERABLE_ERROR,
69 ];
70
76 private static $logExceptionBacktrace = true;
77
83 private static $propagateErrors;
84
92 public static function installHandler(
93 bool $logExceptionBacktrace = true,
94 bool $propagateErrors = true
95 ) {
96 self::$logExceptionBacktrace = $logExceptionBacktrace;
97 self::$propagateErrors = $propagateErrors;
98
99 / This catches:
100 / * Exception objects that were explicitly thrown but not
101 / caught anywhere in the application. This is rare given those
102 / would normally be caught at a high-level like MediaWiki::run (index.php),
103 / api.php, or ResourceLoader::respond (load.php). These high-level
104 / catch clauses would then call MWExceptionHandler::logException
105 / or MWExceptionHandler::handleException.
106 / If they are not caught, then they are handled here.
107 / * Error objects for issues that would historically
108 / cause fatal errors but may now be caught as Throwable (not Exception).
109 / Same as previous case, but more common to bubble to here instead of
110 / caught locally because they tend to not be safe to recover from.
111 / (e.g. argument TypeError, division by zero, etc.)
112 set_exception_handler( [ self::class, 'handleUncaughtException' ] );
113
114 / This catches recoverable errors (e.g. PHP Notice, PHP Warning, PHP Error) that do not
115 / interrupt execution in any way. We log these in the background and then continue execution.
116 set_error_handler( [ self::class, 'handleError' ] );
117
118 / This catches fatal errors for which no Throwable is thrown,
119 / including Out-Of-Memory and Timeout fatals.
120 / Reserve 16k of memory so we can report OOM fatals.
121 self::$reservedMemory = str_repeat( ' ', 16384 );
122 register_shutdown_function( [ self::class, 'handleFatalError' ] );
123 }
124
128 protected static function report( Throwable $e ) {
129 try {
130 / Try and show the exception prettily, with the normal skin infrastructure
131 if ( $e instanceof MWException && $e->hasOverriddenHandler() ) {
132 / Delegate to MWException until all subclasses are handled by
133 / MWExceptionRenderer and MWException::report() has been
134 / removed.
135 $e->report();
136 } else {
138 }
139 } catch ( Throwable $e2 ) {
140 / Exception occurred from within exception handler
141 / Show a simpler message for the original exception,
142 / don't try to invoke report()
144 }
145 }
146
152 private static function rollbackPrimaryChanges() {
154 / MediaWiki isn't fully initialized yet, it's not safe to access services.
155 / This also means that there's nothing to roll back yet.
156 return;
157 }
158
159 $services = MediaWikiServices::getInstance();
160 $lbFactory = $services->peekService( 'DBLoadBalancerFactory' );
161 '@phan-var LBFactory $lbFactory'; /* @var LBFactory $lbFactory */
162 if ( !$lbFactory ) {
163 / There's no need to roll back transactions if the LBFactory is
164 / disabled or hasn't been created yet
165 return;
166 }
167
168 / Roll back DBs to avoid transaction notices. This might fail
169 / to roll back some databases due to connection issues or exceptions.
170 / However, any sensible DB driver will roll back implicitly anyway.
171 try {
172 $lbFactory->rollbackPrimaryChanges( __METHOD__ );
173 $lbFactory->flushPrimarySessions( __METHOD__ );
174 } catch ( DBError $e ) {
175 / If the DB is unreachable, rollback() will throw an error
176 / and the error report() method might need messages from the DB,
177 / which would result in an exception loop. PHP may escalate such
178 / errors to "Exception thrown without a stack frame" fatals, but
179 / it's better to be explicit here.
180 self::logException( $e, self::CAUGHT_BY_HANDLER );
181 }
182 }
183
193 public static function rollbackPrimaryChangesAndLog(
194 Throwable $e,
195 $catcher = self::CAUGHT_BY_OTHER
196 ) {
197 self::rollbackPrimaryChanges();
198
199 self::logException( $e, $catcher );
200 }
201
208 public static function handleUncaughtException( Throwable $e ) {
209 self::handleException( $e, self::CAUGHT_BY_HANDLER );
210
211 / Make sure we don't claim success on exit for CLI scripts (T177414)
212 if ( wfIsCLI() ) {
213 register_shutdown_function(
217 static function () {
218 exit( 255 );
219 }
220 );
221 }
222 }
223
239 public static function handleException( Throwable $e, $catcher = self::CAUGHT_BY_OTHER ) {
241 self::report( $e );
242 }
243
258 public static function handleError(
259 $level,
260 $message,
261 $file = null,
262 $line = null
263 ) {
264 / E_STRICT is deprecated since PHP 8.4 (T375707).
265 / phpcs:ignore Generic.PHP.NoSilencedErrors.Discouraged
266 if ( defined( 'E_STRICT' ) && $level == @constant( 'E_STRICT' ) ) {
267 $level = E_USER_NOTICE;
268 }
269
270 / Map PHP error constant to a PSR-3 severity level.
271 / Avoid use of "DEBUG" or "INFO" levels, unless the
272 / error should evade error monitoring and alerts.
273 /
274 / To decide the log level, ask yourself: "Has the
275 / program's behaviour diverged from what the written
276 / code expected?"
277 /
278 / For example, use of a deprecated method or violating a strict standard
279 / has no impact on functional behaviour (Warning). On the other hand,
280 / accessing an undefined variable makes behaviour diverge from what the
281 / author intended/expected. PHP recovers from an undefined variables by
282 / yielding null and continuing execution, but it remains a change in
283 / behaviour given the null was not part of the code and is likely not
284 / accounted for.
285 switch ( $level ) {
286 case E_WARNING:
287 case E_CORE_WARNING:
288 case E_COMPILE_WARNING:
289 $prefix = 'PHP Warning: ';
290 $severity = LogLevel::ERROR;
291 break;
292 case E_NOTICE:
293 $prefix = 'PHP Notice: ';
294 $severity = LogLevel::ERROR;
295 break;
296 case E_USER_NOTICE:
297 / Used by wfWarn(), MWDebug::warning()
298 $prefix = 'PHP Notice: ';
299 $severity = LogLevel::WARNING;
300 break;
301 case E_USER_WARNING:
302 / Used by wfWarn(), MWDebug::warning()
303 $prefix = 'PHP Warning: ';
304 $severity = LogLevel::WARNING;
305 break;
306 case E_DEPRECATED:
307 $prefix = 'PHP Deprecated: ';
308 $severity = LogLevel::WARNING;
309 break;
310 case E_USER_DEPRECATED:
311 $prefix = 'PHP Deprecated: ';
312 $severity = LogLevel::WARNING;
313 $real = MWDebug::parseCallerDescription( $message );
314 if ( $real ) {
315 / Used by wfDeprecated(), MWDebug::deprecated()
316 / Apply caller offset from wfDeprecated() to the native error.
317 / This makes errors easier to aggregate and find in e.g. Kibana.
318 $file = $real['file'];
319 $line = $real['line'];
320 $message = $real['message'];
321 }
322 break;
323 default:
324 $prefix = 'PHP Unknown error: ';
325 $severity = LogLevel::ERROR;
326 break;
327 }
328
329 / @phan-suppress-next-line PhanTypeMismatchArgumentNullableInternal False positive
330 $e = new ErrorException( $prefix . $message, 0, $level, $file, $line );
331 self::logError( $e, $severity, self::CAUGHT_BY_HANDLER );
332
333 / If $propagateErrors is true return false so PHP shows/logs the error normally.
334 / Ignore $propagateErrors if track_errors is set
335 / (which means someone is counting on regular PHP error handling behavior).
336 return !( self::$propagateErrors || ini_get( 'track_errors' ) );
337 }
338
353 public static function handleFatalError() {
354 / Free reserved memory so that we have space to process OOM
355 / errors
356 self::$reservedMemory = null;
357
358 $lastError = error_get_last();
359 if ( $lastError === null ) {
360 return false;
361 }
362
363 $level = $lastError['type'];
364 $message = $lastError['message'];
365 $file = $lastError['file'];
366 $line = $lastError['line'];
367
368 if ( !in_array( $level, self::FATAL_ERROR_TYPES ) ) {
369 / Only interested in fatal errors, others should have been
370 / handled by MWExceptionHandler::handleError
371 return false;
372 }
373
374 $msgParts = [
375 '[{reqId}] {exception_url} PHP Fatal Error',
376 ( $line || $file ) ? ' from' : '',
377 $line ? " line $line" : '',
378 ( $line && $file ) ? ' of' : '',
379 $file ? " $file" : '',
380 ": $message",
381 ];
382 $msg = implode( '', $msgParts );
383
384 / Look at message to see if this is a class not found failure (Class 'foo' not found)
385 if ( preg_match( "/Class '\w+' not found/", $message ) ) {
386 / phpcs:disable Generic.Files.LineLength
387 $msg = <<<TXT
388{$msg}
389
390MediaWiki or an installed extension requires this class but it is not embedded directly in MediaWiki's git repository and must be installed separately by the end user.
391
392Please see <a href="https://www.mediawiki.org/wiki/Download_from_Git#Fetch_external_libraries">mediawiki.org</a> for help on installing the required components.
393TXT;
394 / phpcs:enable
395 }
396
397 $e = new ErrorException( "PHP Fatal Error: {$message}", 0, $level, $file, $line );
398 $logger = LoggerFactory::getInstance( 'exception' );
399 $logger->error( $msg, self::getLogContext( $e, self::CAUGHT_BY_HANDLER ) );
400
401 return false;
402 }
403
414 public static function getRedactedTraceAsString( Throwable $e ) {
415 $from = 'from ' . $e->getFile() . '(' . $e->getLine() . ')' . "\n";
416 return $from . self::prettyPrintTrace( self::getRedactedTrace( $e ) );
417 }
418
427 public static function prettyPrintTrace( array $trace, $pad = '' ) {
428 $text = '';
429
430 $level = 0;
431 foreach ( $trace as $level => $frame ) {
432 if ( isset( $frame['file'] ) && isset( $frame['line'] ) ) {
433 $text .= "{$pad}#{$level} {$frame['file']}({$frame['line']}): ";
434 } else {
435 / 'file' and 'line' are unset for calls from C code
436 / (T57634) This matches behaviour of
437 / Throwable::getTraceAsString to instead display "[internal
438 / function]".
439 $text .= "{$pad}#{$level} [internal function]: ";
440 }
441
442 if ( isset( $frame['class'] ) && isset( $frame['type'] ) && isset( $frame['function'] ) ) {
443 $text .= $frame['class'] . $frame['type'] . $frame['function'];
444 } else {
445 $text .= $frame['function'] ?? 'NO_FUNCTION_GIVEN';
446 }
447
448 if ( isset( $frame['args'] ) ) {
449 $text .= '(' . implode( ', ', $frame['args'] ) . ")\n";
450 } else {
451 $text .= "()\n";
452 }
453 }
454
455 $level++;
456 $text .= "{$pad}#{$level} {main}";
457
458 return $text;
459 }
460
472 public static function getRedactedTrace( Throwable $e ) {
473 return static::redactTrace( $e->getTrace() );
474 }
475
486 public static function redactTrace( array $trace ) {
487 return array_map( static function ( $frame ) {
488 if ( isset( $frame['args'] ) ) {
489 $frame['args'] = array_map( 'get_debug_type', $frame['args'] );
490 }
491 return $frame;
492 }, $trace );
493 }
494
502 public static function getURL() {
503 if ( MW_ENTRY_POINT === 'cli' ) {
504 return false;
505 }
506 return WebRequest::getGlobalRequestURL();
507 }
508
519 public static function getLogMessage( Throwable $e ) {
520 $id = WebRequest::getRequestId();
521 $type = get_class( $e );
522 $message = $e->getMessage();
523 $url = self::getURL() ?: '[no req]';
524
525 if ( $e instanceof DBQueryError ) {
526 $message = "A database query error has occurred. Did you forget to run"
527 . " your application's database schema updater after upgrading"
528 . " or after adding a new extension?\n\nPlease see"
529 . " https://www.mediawiki.org/wiki/Special:MyLanguage/Manual:Upgrading and"
530 . " https://www.mediawiki.org/wiki/Special:MyLanguage/Manual:How_to_debug"
531 . " for more information.\n\n"
532 . $message;
533 }
534
535 return "[$id] $url $type: $message";
536 }
537
547 public static function getLogNormalMessage( Throwable $e ) {
548 if ( $e instanceof INormalizedException ) {
549 $message = $e->getNormalizedMessage();
550 } else {
551 $message = $e->getMessage();
552 }
553 if ( !$e instanceof ErrorException ) {
554 / ErrorException is something we use internally to represent
555 / PHP errors (runtime warnings that aren't thrown or caught),
556 / don't bother putting it in the logs. Let the log message
557 / lead with "PHP Warning: " instead (see ::handleError).
558 $message = get_class( $e ) . ": $message";
559 }
560
561 return "[{reqId}] {exception_url} $message";
562 }
563
568 public static function getPublicLogMessage( Throwable $e ) {
569 $reqId = WebRequest::getRequestId();
570 $type = get_class( $e );
571 return '[' . $reqId . '] '
572 . gmdate( 'Y-m-d H:i:s' ) . ': '
573 . 'Fatal exception of type "' . $type . '"';
574 }
575
588 public static function getLogContext( Throwable $e, $catcher = self::CAUGHT_BY_OTHER ) {
589 $context = [
590 'exception' => $e,
591 'exception_url' => self::getURL() ?: '[no req]',
592 / The reqId context key use the same familiar name and value as the top-level field
593 / provided by LogstashFormatter. However, formatters are configurable at run-time,
594 / and their top-level fields are logically separate from context keys and cannot be,
595 / substituted in a message, hence set explicitly here. For WMF users, these may feel,
596 / like the same thing due to Monolog V0 handling, which transmits "fields" and "context",
597 / in the same JSON object (after message formatting).
598 'reqId' => WebRequest::getRequestId(),
599 'caught_by' => $catcher
600 ];
601 if ( $e instanceof INormalizedException ) {
602 $context += $e->getMessageContext();
603 }
604 return $context;
605 }
606
619 public static function getStructuredExceptionData(
620 Throwable $e,
621 $catcher = self::CAUGHT_BY_OTHER
622 ) {
623 $data = [
624 'id' => WebRequest::getRequestId(),
625 'type' => get_class( $e ),
626 'file' => $e->getFile(),
627 'line' => $e->getLine(),
628 'message' => $e->getMessage(),
629 'code' => $e->getCode(),
630 'url' => self::getURL() ?: null,
631 'caught_by' => $catcher
632 ];
633
634 if ( $e instanceof ErrorException &&
635 ( error_reporting() & $e->getSeverity() ) === 0
636 ) {
637 / Flag suppressed errors
638 $data['suppressed'] = true;
639 }
640
641 if ( self::$logExceptionBacktrace ) {
642 $data['backtrace'] = self::getRedactedTrace( $e );
643 }
644
645 $previous = $e->getPrevious();
646 if ( $previous !== null ) {
647 $data['previous'] = self::getStructuredExceptionData( $previous, $catcher );
648 }
649
650 return $data;
651 }
652
664 public static function logException(
665 Throwable $e,
666 $catcher = self::CAUGHT_BY_OTHER,
667 $extraData = []
668 ) {
669 if ( !( $e instanceof MWException ) || $e->isLoggable() ) {
670 $logger = LoggerFactory::getInstance( 'exception' );
671 $context = self::getLogContext( $e, $catcher );
672 if ( $extraData ) {
673 $context['extraData'] = $extraData;
674 }
675 $logger->error(
676 self::getLogNormalMessage( $e ),
677 $context
678 );
679
680 self::callLogExceptionHook( $e, false );
681 }
682 }
683
691 private static function logError(
692 ErrorException $e,
693 $level,
694 $catcher
695 ) {
696 / The set_error_handler callback is independent from error_reporting.
697 $suppressed = ( error_reporting() & $e->getSeverity() ) === 0;
698 if ( $suppressed ) {
699 / Instead of discarding these entirely, give some visibility (but only
700 / when debugging) to errors that were intentionally silenced via
701 / the error silencing operator (@) or Wikimedia\AtEase.
702 / To avoid clobbering Logstash results, set the level to DEBUG
703 / and also send them to a dedicated channel (T193472).
704 $channel = 'silenced-error';
705 $level = LogLevel::DEBUG;
706 } else {
707 $channel = 'error';
708 }
709 $logger = LoggerFactory::getInstance( $channel );
710 $logger->log(
711 $level,
712 self::getLogNormalMessage( $e ),
713 self::getLogContext( $e, $catcher )
714 );
715
716 self::callLogExceptionHook( $e, $suppressed );
717 }
718
725 private static function callLogExceptionHook( Throwable $e, bool $suppressed ) {
726 try {
727 / It's possible for the exception handler to be triggered during service container
728 / initialization, e.g. if an autoloaded file triggers deprecation warnings.
729 / To avoid a difficult-to-debug autoload loop, avoid attempting to initialize the service
730 / container here. (T380456).
732 return;
733 }
734
735 ( new HookRunner( MediaWikiServices::getInstance()->getHookContainer() ) )
736 ->onLogException( $e, $suppressed );
737 } catch ( RecursiveServiceDependencyException $e ) {
738 / An error from the HookContainer wiring will lead here (T379125)
739 }
740 }
741}
742
744class_alias( MWExceptionHandler::class, 'MWExceptionHandler' );
wfIsCLI()
Check if we are running from the commandline.
const MW_ENTRY_POINT
Definition api.php:35
Debug toolbar.
Definition MWDebug.php:49
Handler class for MWExceptions.
static getStructuredExceptionData(Throwable $e, $catcher=self::CAUGHT_BY_OTHER)
Get a structured representation of a Throwable.
static getRedactedTrace(Throwable $e)
Return a copy of a throwable's backtrace as an array.
static getLogMessage(Throwable $e)
Get a message formatting the throwable message and its origin.
static redactTrace(array $trace)
Redact a stacktrace generated by Throwable::getTrace(), debug_backtrace() or similar means.
const CAUGHT_BY_HANDLER
Error caught and reported by this exception handler.
static getLogContext(Throwable $e, $catcher=self::CAUGHT_BY_OTHER)
Get a PSR-3 log event context from a Throwable.
static logException(Throwable $e, $catcher=self::CAUGHT_BY_OTHER, $extraData=[])
Log a throwable to the exception log (if enabled).
static report(Throwable $e)
Report a throwable to the user.
static getURL()
If the exception occurred in the course of responding to a request, returns the requested URL.
static handleFatalError()
Callback used as a registered shutdown function.
const CAUGHT_BY_ENTRYPOINT
Error caught and reported by a script entry point.
static getRedactedTraceAsString(Throwable $e)
Generate a string representation of a throwable's stack trace.
static handleError( $level, $message, $file=null, $line=null)
Handler for set_error_handler() callback notifications.
static getLogNormalMessage(Throwable $e)
Get a normalised message for formatting with PSR-3 log event context.
static handleException(Throwable $e, $catcher=self::CAUGHT_BY_OTHER)
Exception handler which simulates the appropriate catch() handling:
static installHandler(bool $logExceptionBacktrace=true, bool $propagateErrors=true)
Install handlers with PHP.
static handleUncaughtException(Throwable $e)
Callback to use with PHP's set_exception_handler.
static rollbackPrimaryChangesAndLog(Throwable $e, $catcher=self::CAUGHT_BY_OTHER)
Roll back any open database transactions and log the stack trace of the throwable.
const CAUGHT_BY_OTHER
Error reported by direct logException() call.
static prettyPrintTrace(array $trace, $pad='')
Generate a string representation of a stacktrace.
static output(Throwable $e, $mode, ?Throwable $eNew=null)
This class provides an implementation of the core hook interfaces, forwarding hook calls to HookConta...
Create PSR-3 logger objects.
Service locator for MediaWiki core services.
static hasInstance()
Returns true if an instance has already been initialized and can be obtained from getInstance().
static getInstance()
Returns the global default instance of the top level service locator.
The WebRequest class encapsulates getting at data passed in the URL or via a POSTed form,...
Database error base class.
Definition DBError.php:36
A helper class for throttling authentication attempts.

Follow Lee on X/Twitter - Father, Husband, Serial builder creating AI, crypto, games & web tools. We are friends :) AI Will Come To Life!

Check out: eBank.nz (Art Generator) | Netwrck.com (AI Tools) | Text-Generator.io (AI API) | BitBank.nz (Crypto AI) | ReadingTime (Kids Reading) | RewordGame | BigMultiplayerChess | WebFiddle | How.nz | Helix AI Assistant