vendor/symfony/error-handler/DebugClassLoader.php line 328

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 Composer\InstalledVersions;
  12. use Doctrine\Common\Persistence\Proxy as LegacyProxy;
  13. use Doctrine\Persistence\Proxy;
  14. use Mockery\MockInterface;
  15. use Phake\IMock;
  16. use PHPUnit\Framework\MockObject\Matcher\StatelessInvocation;
  17. use PHPUnit\Framework\MockObject\MockObject;
  18. use Prophecy\Prophecy\ProphecySubjectInterface;
  19. use ProxyManager\Proxy\ProxyInterface;
  20. use Symfony\Component\ErrorHandler\Internal\TentativeTypes;
  21. /**
  22.  * Autoloader checking if the class is really defined in the file found.
  23.  *
  24.  * The ClassLoader will wrap all registered autoloaders
  25.  * and will throw an exception if a file is found but does
  26.  * not declare the class.
  27.  *
  28.  * It can also patch classes to turn docblocks into actual return types.
  29.  * This behavior is controlled by the SYMFONY_PATCH_TYPE_DECLARATIONS env var,
  30.  * which is a url-encoded array with the follow parameters:
  31.  *  - "force": any value enables deprecation notices - can be any of:
  32.  *      - "phpdoc" to patch only docblock annotations
  33.  *      - "2" to add all possible return types
  34.  *      - "1" to add return types but only to tests/final/internal/private methods
  35.  *  - "php": the target version of PHP - e.g. "7.1" doesn't generate "object" types
  36.  *  - "deprecations": "1" to trigger a deprecation notice when a child class misses a
  37.  *                    return type while the parent declares an "@return" annotation
  38.  *
  39.  * Note that patching doesn't care about any coding style so you'd better to run
  40.  * php-cs-fixer after, with rules "phpdoc_trim_consecutive_blank_line_separation"
  41.  * and "no_superfluous_phpdoc_tags" enabled typically.
  42.  *
  43.  * @author Fabien Potencier <fabien@symfony.com>
  44.  * @author Christophe Coevoet <stof@notk.org>
  45.  * @author Nicolas Grekas <p@tchwork.com>
  46.  * @author Guilhem Niot <guilhem.niot@gmail.com>
  47.  */
  48. class DebugClassLoader
  49. {
  50.     private const SPECIAL_RETURN_TYPES = [
  51.         'void' => 'void',
  52.         'null' => 'null',
  53.         'resource' => 'resource',
  54.         'boolean' => 'bool',
  55.         'true' => 'bool',
  56.         'false' => 'false',
  57.         'integer' => 'int',
  58.         'array' => 'array',
  59.         'bool' => 'bool',
  60.         'callable' => 'callable',
  61.         'float' => 'float',
  62.         'int' => 'int',
  63.         'iterable' => 'iterable',
  64.         'object' => 'object',
  65.         'string' => 'string',
  66.         'self' => 'self',
  67.         'parent' => 'parent',
  68.         'mixed' => 'mixed',
  69.         'static' => 'static',
  70.         '$this' => 'static',
  71.         'list' => 'array',
  72.     ];
  73.     private const BUILTIN_RETURN_TYPES = [
  74.         'void' => true,
  75.         'array' => true,
  76.         'false' => true,
  77.         'bool' => true,
  78.         'callable' => true,
  79.         'float' => true,
  80.         'int' => true,
  81.         'iterable' => true,
  82.         'object' => true,
  83.         'string' => true,
  84.         'self' => true,
  85.         'parent' => true,
  86.         'mixed' => true,
  87.         'static' => true,
  88.     ];
  89.     private const MAGIC_METHODS = [
  90.         '__isset' => 'bool',
  91.         '__sleep' => 'array',
  92.         '__toString' => 'string',
  93.         '__debugInfo' => 'array',
  94.         '__serialize' => 'array',
  95.     ];
  96.     /**
  97.      * @var callable
  98.      */
  99.     private $classLoader;
  100.     private bool $isFinder;
  101.     private array $loaded = [];
  102.     private array $patchTypes = [];
  103.     private static int $caseCheck;
  104.     private static array $checkedClasses = [];
  105.     private static array $final = [];
  106.     private static array $finalMethods = [];
  107.     private static array $deprecated = [];
  108.     private static array $internal = [];
  109.     private static array $internalMethods = [];
  110.     private static array $annotatedParameters = [];
  111.     private static array $darwinCache = ['/' => ['/', []]];
  112.     private static array $method = [];
  113.     private static array $returnTypes = [];
  114.     private static array $methodTraits = [];
  115.     private static array $fileOffsets = [];
  116.     public function __construct(callable $classLoader)
  117.     {
  118.         $this->classLoader $classLoader;
  119.         $this->isFinder \is_array($classLoader) && method_exists($classLoader[0], 'findFile');
  120.         parse_str(getenv('SYMFONY_PATCH_TYPE_DECLARATIONS') ?: ''$this->patchTypes);
  121.         $this->patchTypes += [
  122.             'force' => null,
  123.             'php' => \PHP_MAJOR_VERSION.'.'.\PHP_MINOR_VERSION,
  124.             'deprecations' => true,
  125.         ];
  126.         if ('phpdoc' === $this->patchTypes['force']) {
  127.             $this->patchTypes['force'] = 'docblock';
  128.         }
  129.         if (!isset(self::$caseCheck)) {
  130.             $file is_file(__FILE__) ? __FILE__ rtrim(realpath('.'), \DIRECTORY_SEPARATOR);
  131.             $i strrpos($file\DIRECTORY_SEPARATOR);
  132.             $dir substr($file0$i);
  133.             $file substr($file$i);
  134.             $test strtoupper($file) === $file strtolower($file) : strtoupper($file);
  135.             $test realpath($dir.$test);
  136.             if (false === $test || false === $i) {
  137.                 // filesystem is case sensitive
  138.                 self::$caseCheck 0;
  139.             } elseif (str_ends_with($test$file)) {
  140.                 // filesystem is case insensitive and realpath() normalizes the case of characters
  141.                 self::$caseCheck 1;
  142.             } elseif ('Darwin' === \PHP_OS_FAMILY) {
  143.                 // on MacOSX, HFS+ is case insensitive but realpath() doesn't normalize the case of characters
  144.                 self::$caseCheck 2;
  145.             } else {
  146.                 // filesystem case checks failed, fallback to disabling them
  147.                 self::$caseCheck 0;
  148.             }
  149.         }
  150.     }
  151.     public function getClassLoader(): callable
  152.     {
  153.         return $this->classLoader;
  154.     }
  155.     /**
  156.      * Wraps all autoloaders.
  157.      */
  158.     public static function enable(): void
  159.     {
  160.         // Ensures we don't hit https://bugs.php.net/42098
  161.         class_exists(\Symfony\Component\ErrorHandler\ErrorHandler::class);
  162.         class_exists(\Psr\Log\LogLevel::class);
  163.         if (!\is_array($functions spl_autoload_functions())) {
  164.             return;
  165.         }
  166.         foreach ($functions as $function) {
  167.             spl_autoload_unregister($function);
  168.         }
  169.         foreach ($functions as $function) {
  170.             if (!\is_array($function) || !$function[0] instanceof self) {
  171.                 $function = [new static($function), 'loadClass'];
  172.             }
  173.             spl_autoload_register($function);
  174.         }
  175.     }
  176.     /**
  177.      * Disables the wrapping.
  178.      */
  179.     public static function disable(): void
  180.     {
  181.         if (!\is_array($functions spl_autoload_functions())) {
  182.             return;
  183.         }
  184.         foreach ($functions as $function) {
  185.             spl_autoload_unregister($function);
  186.         }
  187.         foreach ($functions as $function) {
  188.             if (\is_array($function) && $function[0] instanceof self) {
  189.                 $function $function[0]->getClassLoader();
  190.             }
  191.             spl_autoload_register($function);
  192.         }
  193.     }
  194.     public static function checkClasses(): bool
  195.     {
  196.         if (!\is_array($functions spl_autoload_functions())) {
  197.             return false;
  198.         }
  199.         $loader null;
  200.         foreach ($functions as $function) {
  201.             if (\is_array($function) && $function[0] instanceof self) {
  202.                 $loader $function[0];
  203.                 break;
  204.             }
  205.         }
  206.         if (null === $loader) {
  207.             return false;
  208.         }
  209.         static $offsets = [
  210.             'get_declared_interfaces' => 0,
  211.             'get_declared_traits' => 0,
  212.             'get_declared_classes' => 0,
  213.         ];
  214.         foreach ($offsets as $getSymbols => $i) {
  215.             $symbols $getSymbols();
  216.             for (; $i \count($symbols); ++$i) {
  217.                 if (!is_subclass_of($symbols[$i], MockObject::class)
  218.                     && !is_subclass_of($symbols[$i], ProphecySubjectInterface::class)
  219.                     && !is_subclass_of($symbols[$i], Proxy::class)
  220.                     && !is_subclass_of($symbols[$i], ProxyInterface::class)
  221.                     && !is_subclass_of($symbols[$i], LegacyProxy::class)
  222.                     && !is_subclass_of($symbols[$i], MockInterface::class)
  223.                     && !is_subclass_of($symbols[$i], IMock::class)
  224.                 ) {
  225.                     $loader->checkClass($symbols[$i]);
  226.                 }
  227.             }
  228.             $offsets[$getSymbols] = $i;
  229.         }
  230.         return true;
  231.     }
  232.     public function findFile(string $class): ?string
  233.     {
  234.         return $this->isFinder ? ($this->classLoader[0]->findFile($class) ?: null) : null;
  235.     }
  236.     /**
  237.      * Loads the given class or interface.
  238.      *
  239.      * @throws \RuntimeException
  240.      */
  241.     public function loadClass(string $class): void
  242.     {
  243.         $e error_reporting(error_reporting() | \E_PARSE \E_ERROR \E_CORE_ERROR \E_COMPILE_ERROR);
  244.         try {
  245.             if ($this->isFinder && !isset($this->loaded[$class])) {
  246.                 $this->loaded[$class] = true;
  247.                 if (!$file $this->classLoader[0]->findFile($class) ?: '') {
  248.                     // no-op
  249.                 } elseif (\function_exists('opcache_is_script_cached') && @opcache_is_script_cached($file)) {
  250.                     include $file;
  251.                     return;
  252.                 } elseif (false === include $file) {
  253.                     return;
  254.                 }
  255.             } else {
  256.                 ($this->classLoader)($class);
  257.                 $file '';
  258.             }
  259.         } finally {
  260.             error_reporting($e);
  261.         }
  262.         $this->checkClass($class$file);
  263.     }
  264.     private function checkClass(string $classstring $file null): void
  265.     {
  266.         $exists null === $file || class_exists($classfalse) || interface_exists($classfalse) || trait_exists($classfalse);
  267.         if (null !== $file && $class && '\\' === $class[0]) {
  268.             $class substr($class1);
  269.         }
  270.         if ($exists) {
  271.             if (isset(self::$checkedClasses[$class])) {
  272.                 return;
  273.             }
  274.             self::$checkedClasses[$class] = true;
  275.             $refl = new \ReflectionClass($class);
  276.             if (null === $file && $refl->isInternal()) {
  277.                 return;
  278.             }
  279.             $name $refl->getName();
  280.             if ($name !== $class && === strcasecmp($name$class)) {
  281.                 throw new \RuntimeException(sprintf('Case mismatch between loaded and declared class names: "%s" vs "%s".'$class$name));
  282.             }
  283.             $deprecations $this->checkAnnotations($refl$name);
  284.             foreach ($deprecations as $message) {
  285.                 @trigger_error($message\E_USER_DEPRECATED);
  286.             }
  287.         }
  288.         if (!$file) {
  289.             return;
  290.         }
  291.         if (!$exists) {
  292.             if (str_contains($class'/')) {
  293.                 throw new \RuntimeException(sprintf('Trying to autoload a class with an invalid name "%s". Be careful that the namespace separator is "\" in PHP, not "/".'$class));
  294.             }
  295.             throw new \RuntimeException(sprintf('The autoloader expected class "%s" to be defined in file "%s". The file was found but the class was not in it, the class name or namespace probably has a typo.'$class$file));
  296.         }
  297.         if (self::$caseCheck && $message $this->checkCase($refl$file$class)) {
  298.             throw new \RuntimeException(sprintf('Case mismatch between class and real file names: "%s" vs "%s" in "%s".'$message[0], $message[1], $message[2]));
  299.         }
  300.     }
  301.     public function checkAnnotations(\ReflectionClass $reflstring $class): array
  302.     {
  303.         if (
  304.             'Symfony\Bridge\PhpUnit\Legacy\SymfonyTestsListenerForV7' === $class
  305.             || 'Symfony\Bridge\PhpUnit\Legacy\SymfonyTestsListenerForV6' === $class
  306.         ) {
  307.             return [];
  308.         }
  309.         $deprecations = [];
  310.         $className str_contains($class"@anonymous\0") ? (get_parent_class($class) ?: key(class_implements($class)) ?: 'class').'@anonymous' $class;
  311.         // Don't trigger deprecations for classes in the same vendor
  312.         if ($class !== $className) {
  313.             $vendor preg_match('/^namespace ([^;\\\\\s]++)[;\\\\]/m', @file_get_contents($refl->getFileName()), $vendor) ? $vendor[1].'\\' '';
  314.             $vendorLen \strlen($vendor);
  315.         } elseif ($vendorLen + (strpos($class'\\') ?: strpos($class'_'))) {
  316.             $vendorLen 0;
  317.             $vendor '';
  318.         } else {
  319.             $vendor str_replace('_''\\'substr($class0$vendorLen));
  320.         }
  321.         $parent get_parent_class($class) ?: null;
  322.         self::$returnTypes[$class] = [];
  323.         // Detect annotations on the class
  324.         if ($doc $this->parsePhpDoc($refl)) {
  325.             foreach (['final''deprecated''internal'] as $annotation) {
  326.                 if (null !== $description $doc[$annotation][0] ?? null) {
  327.                     self::${$annotation}[$class] = '' !== $description ' '.$description.(preg_match('/[.!]$/'$description) ? '' '.') : '.';
  328.                 }
  329.             }
  330.             if ($refl->isInterface() && isset($doc['method'])) {
  331.                 foreach ($doc['method'] as $name => [$static$returnType$signature$description]) {
  332.                     self::$method[$class][] = [$class$static$returnType$name.$signature$description];
  333.                     if ('' !== $returnType) {
  334.                         $this->setReturnType($returnType$refl->name$name$refl->getFileName(), $parent);
  335.                     }
  336.                 }
  337.             }
  338.         }
  339.         $parentAndOwnInterfaces $this->getOwnInterfaces($class$parent);
  340.         if ($parent) {
  341.             $parentAndOwnInterfaces[$parent] = $parent;
  342.             if (!isset(self::$checkedClasses[$parent])) {
  343.                 $this->checkClass($parent);
  344.             }
  345.             if (isset(self::$final[$parent])) {
  346.                 $deprecations[] = sprintf('The "%s" class is considered final%s It may change without further notice as of its next major version. You should not extend it from "%s".'$parentself::$final[$parent], $className);
  347.             }
  348.         }
  349.         // Detect if the parent is annotated
  350.         foreach ($parentAndOwnInterfaces class_uses($classfalse) as $use) {
  351.             if (!isset(self::$checkedClasses[$use])) {
  352.                 $this->checkClass($use);
  353.             }
  354.             if (isset(self::$deprecated[$use]) && strncmp($vendorstr_replace('_''\\'$use), $vendorLen) && !isset(self::$deprecated[$class])) {
  355.                 $type class_exists($classfalse) ? 'class' : (interface_exists($classfalse) ? 'interface' 'trait');
  356.                 $verb class_exists($usefalse) || interface_exists($classfalse) ? 'extends' : (interface_exists($usefalse) ? 'implements' 'uses');
  357.                 $deprecations[] = sprintf('The "%s" %s %s "%s" that is deprecated%s'$className$type$verb$useself::$deprecated[$use]);
  358.             }
  359.             if (isset(self::$internal[$use]) && strncmp($vendorstr_replace('_''\\'$use), $vendorLen)) {
  360.                 $deprecations[] = sprintf('The "%s" %s is considered internal%s It may change without further notice. You should not use it from "%s".'$useclass_exists($usefalse) ? 'class' : (interface_exists($usefalse) ? 'interface' 'trait'), self::$internal[$use], $className);
  361.             }
  362.             if (isset(self::$method[$use])) {
  363.                 if ($refl->isAbstract()) {
  364.                     if (isset(self::$method[$class])) {
  365.                         self::$method[$class] = array_merge(self::$method[$class], self::$method[$use]);
  366.                     } else {
  367.                         self::$method[$class] = self::$method[$use];
  368.                     }
  369.                 } elseif (!$refl->isInterface()) {
  370.                     if (!strncmp($vendorstr_replace('_''\\'$use), $vendorLen)
  371.                         && str_starts_with($className'Symfony\\')
  372.                         && (!class_exists(InstalledVersions::class)
  373.                             || 'symfony/symfony' !== InstalledVersions::getRootPackage()['name'])
  374.                     ) {
  375.                         // skip "same vendor" @method deprecations for Symfony\* classes unless symfony/symfony is being tested
  376.                         continue;
  377.                     }
  378.                     $hasCall $refl->hasMethod('__call');
  379.                     $hasStaticCall $refl->hasMethod('__callStatic');
  380.                     foreach (self::$method[$use] as [$interface$static$returnType$name$description]) {
  381.                         if ($static $hasStaticCall $hasCall) {
  382.                             continue;
  383.                         }
  384.                         $realName substr($name0strpos($name'('));
  385.                         if (!$refl->hasMethod($realName) || !($methodRefl $refl->getMethod($realName))->isPublic() || ($static && !$methodRefl->isStatic()) || (!$static && $methodRefl->isStatic())) {
  386.                             $deprecations[] = sprintf('Class "%s" should implement method "%s::%s%s"%s'$className, ($static 'static ' '').$interface$name$returnType ': '.$returnType ''null === $description '.' ': '.$description);
  387.                         }
  388.                     }
  389.                 }
  390.             }
  391.         }
  392.         if (trait_exists($class)) {
  393.             $file $refl->getFileName();
  394.             foreach ($refl->getMethods() as $method) {
  395.                 if ($method->getFileName() === $file) {
  396.                     self::$methodTraits[$file][$method->getStartLine()] = $class;
  397.                 }
  398.             }
  399.             return $deprecations;
  400.         }
  401.         // Inherit @final, @internal, @param and @return annotations for methods
  402.         self::$finalMethods[$class] = [];
  403.         self::$internalMethods[$class] = [];
  404.         self::$annotatedParameters[$class] = [];
  405.         foreach ($parentAndOwnInterfaces as $use) {
  406.             foreach (['finalMethods''internalMethods''annotatedParameters''returnTypes'] as $property) {
  407.                 if (isset(self::${$property}[$use])) {
  408.                     self::${$property}[$class] = self::${$property}[$class] ? self::${$property}[$use] + self::${$property}[$class] : self::${$property}[$use];
  409.                 }
  410.             }
  411.             if (null !== (TentativeTypes::RETURN_TYPES[$use] ?? null)) {
  412.                 foreach (TentativeTypes::RETURN_TYPES[$use] as $method => $returnType) {
  413.                     $returnType explode('|'$returnType);
  414.                     foreach ($returnType as $i => $t) {
  415.                         if ('?' !== $t && !isset(self::BUILTIN_RETURN_TYPES[$t])) {
  416.                             $returnType[$i] = '\\'.$t;
  417.                         }
  418.                     }
  419.                     $returnType implode('|'$returnType);
  420.                     self::$returnTypes[$class] += [$method => [$returnType=== strpos($returnType'?') ? substr($returnType1).'|null' $returnType$use'']];
  421.                 }
  422.             }
  423.         }
  424.         foreach ($refl->getMethods() as $method) {
  425.             if ($method->class !== $class) {
  426.                 continue;
  427.             }
  428.             if (null === $ns self::$methodTraits[$method->getFileName()][$method->getStartLine()] ?? null) {
  429.                 $ns $vendor;
  430.                 $len $vendorLen;
  431.             } elseif ($len + (strpos($ns'\\') ?: strpos($ns'_'))) {
  432.                 $len 0;
  433.                 $ns '';
  434.             } else {
  435.                 $ns str_replace('_''\\'substr($ns0$len));
  436.             }
  437.             if ($parent && isset(self::$finalMethods[$parent][$method->name])) {
  438.                 [$declaringClass$message] = self::$finalMethods[$parent][$method->name];
  439.                 $deprecations[] = sprintf('The "%s::%s()" method is considered final%s It may change without further notice as of its next major version. You should not extend it from "%s".'$declaringClass$method->name$message$className);
  440.             }
  441.             if (isset(self::$internalMethods[$class][$method->name])) {
  442.                 [$declaringClass$message] = self::$internalMethods[$class][$method->name];
  443.                 if (strncmp($ns$declaringClass$len)) {
  444.                     $deprecations[] = sprintf('The "%s::%s()" method is considered internal%s It may change without further notice. You should not extend it from "%s".'$declaringClass$method->name$message$className);
  445.                 }
  446.             }
  447.             // To read method annotations
  448.             $doc $this->parsePhpDoc($method);
  449.             if (isset(self::$annotatedParameters[$class][$method->name])) {
  450.                 $definedParameters = [];
  451.                 foreach ($method->getParameters() as $parameter) {
  452.                     $definedParameters[$parameter->name] = true;
  453.                 }
  454.                 foreach (self::$annotatedParameters[$class][$method->name] as $parameterName => $deprecation) {
  455.                     if (!isset($definedParameters[$parameterName]) && !isset($doc['param'][$parameterName])) {
  456.                         $deprecations[] = sprintf($deprecation$className);
  457.                     }
  458.                 }
  459.             }
  460.             $forcePatchTypes $this->patchTypes['force'];
  461.             if ($canAddReturnType null !== $forcePatchTypes && !str_contains($method->getFileName(), \DIRECTORY_SEPARATOR.'vendor'.\DIRECTORY_SEPARATOR)) {
  462.                 if ('void' !== (self::MAGIC_METHODS[$method->name] ?? 'void')) {
  463.                     $this->patchTypes['force'] = $forcePatchTypes ?: 'docblock';
  464.                 }
  465.                 $canAddReturnType === (int) $forcePatchTypes
  466.                     || false !== stripos($method->getFileName(), \DIRECTORY_SEPARATOR.'Tests'.\DIRECTORY_SEPARATOR)
  467.                     || $refl->isFinal()
  468.                     || $method->isFinal()
  469.                     || $method->isPrivate()
  470.                     || ('.' === (self::$internal[$class] ?? null) && !$refl->isAbstract())
  471.                     || '.' === (self::$final[$class] ?? null)
  472.                     || '' === ($doc['final'][0] ?? null)
  473.                     || '' === ($doc['internal'][0] ?? null)
  474.                 ;
  475.             }
  476.             if (null !== ($returnType self::$returnTypes[$class][$method->name] ?? null) && 'docblock' === $this->patchTypes['force'] && !$method->hasReturnType() && isset(TentativeTypes::RETURN_TYPES[$returnType[2]][$method->name])) {
  477.                 $this->patchReturnTypeWillChange($method);
  478.             }
  479.             if (null !== ($returnType ?? $returnType self::MAGIC_METHODS[$method->name] ?? null) && !$method->hasReturnType() && !isset($doc['return'])) {
  480.                 [$normalizedType$returnType$declaringClass$declaringFile] = \is_string($returnType) ? [$returnType$returnType''''] : $returnType;
  481.                 if ($canAddReturnType && 'docblock' !== $this->patchTypes['force']) {
  482.                     $this->patchMethod($method$returnType$declaringFile$normalizedType);
  483.                 }
  484.                 if (!isset($doc['deprecated']) && strncmp($ns$declaringClass$len)) {
  485.                     if ('docblock' === $this->patchTypes['force']) {
  486.                         $this->patchMethod($method$returnType$declaringFile$normalizedType);
  487.                     } elseif ('' !== $declaringClass && $this->patchTypes['deprecations']) {
  488.                         $deprecations[] = sprintf('Method "%s::%s()" might add "%s" as a native return type declaration in the future. Do the same in %s "%s" now to avoid errors or add an explicit @return annotation to suppress this message.'$declaringClass$method->name$normalizedTypeinterface_exists($declaringClass) ? 'implementation' 'child class'$className);
  489.                     }
  490.                 }
  491.             }
  492.             if (!$doc) {
  493.                 $this->patchTypes['force'] = $forcePatchTypes;
  494.                 continue;
  495.             }
  496.             if (isset($doc['return']) || 'void' !== (self::MAGIC_METHODS[$method->name] ?? 'void')) {
  497.                 $this->setReturnType($doc['return'] ?? self::MAGIC_METHODS[$method->name], $method->class$method->name$method->getFileName(), $parent$method->getReturnType());
  498.                 if (isset(self::$returnTypes[$class][$method->name][0]) && $canAddReturnType) {
  499.                     $this->fixReturnStatements($methodself::$returnTypes[$class][$method->name][0]);
  500.                 }
  501.                 if ($method->isPrivate()) {
  502.                     unset(self::$returnTypes[$class][$method->name]);
  503.                 }
  504.             }
  505.             $this->patchTypes['force'] = $forcePatchTypes;
  506.             if ($method->isPrivate()) {
  507.                 continue;
  508.             }
  509.             $finalOrInternal false;
  510.             foreach (['final''internal'] as $annotation) {
  511.                 if (null !== $description $doc[$annotation][0] ?? null) {
  512.                     self::${$annotation.'Methods'}[$class][$method->name] = [$class'' !== $description ' '.$description.(preg_match('/[[:punct:]]$/'$description) ? '' '.') : '.'];
  513.                     $finalOrInternal true;
  514.                 }
  515.             }
  516.             if ($finalOrInternal || $method->isConstructor() || !isset($doc['param']) || StatelessInvocation::class === $class) {
  517.                 continue;
  518.             }
  519.             if (!isset(self::$annotatedParameters[$class][$method->name])) {
  520.                 $definedParameters = [];
  521.                 foreach ($method->getParameters() as $parameter) {
  522.                     $definedParameters[$parameter->name] = true;
  523.                 }
  524.             }
  525.             foreach ($doc['param'] as $parameterName => $parameterType) {
  526.                 if (!isset($definedParameters[$parameterName])) {
  527.                     self::$annotatedParameters[$class][$method->name][$parameterName] = sprintf('The "%%s::%s()" method will require a new "%s$%s" argument in the next major version of its %s "%s", not defining it is deprecated.'$method->name$parameterType $parameterType.' ' ''$parameterNameinterface_exists($className) ? 'interface' 'parent class'$className);
  528.                 }
  529.             }
  530.         }
  531.         return $deprecations;
  532.     }
  533.     public function checkCase(\ReflectionClass $reflstring $filestring $class): ?array
  534.     {
  535.         $real explode('\\'$class.strrchr($file'.'));
  536.         $tail explode(\DIRECTORY_SEPARATORstr_replace('/'\DIRECTORY_SEPARATOR$file));
  537.         $i \count($tail) - 1;
  538.         $j \count($real) - 1;
  539.         while (isset($tail[$i], $real[$j]) && $tail[$i] === $real[$j]) {
  540.             --$i;
  541.             --$j;
  542.         }
  543.         array_splice($tail0$i 1);
  544.         if (!$tail) {
  545.             return null;
  546.         }
  547.         $tail \DIRECTORY_SEPARATOR.implode(\DIRECTORY_SEPARATOR$tail);
  548.         $tailLen \strlen($tail);
  549.         $real $refl->getFileName();
  550.         if (=== self::$caseCheck) {
  551.             $real $this->darwinRealpath($real);
  552.         }
  553.         if (=== substr_compare($real$tail, -$tailLen$tailLentrue)
  554.             && !== substr_compare($real$tail, -$tailLen$tailLenfalse)
  555.         ) {
  556.             return [substr($tail, -$tailLen 1), substr($real, -$tailLen 1), substr($real0, -$tailLen 1)];
  557.         }
  558.         return null;
  559.     }
  560.     /**
  561.      * `realpath` on MacOSX doesn't normalize the case of characters.
  562.      */
  563.     private function darwinRealpath(string $real): string
  564.     {
  565.         $i strrpos($real'/');
  566.         $file substr($real$i);
  567.         $real substr($real0$i);
  568.         if (isset(self::$darwinCache[$real])) {
  569.             $kDir $real;
  570.         } else {
  571.             $kDir strtolower($real);
  572.             if (isset(self::$darwinCache[$kDir])) {
  573.                 $real self::$darwinCache[$kDir][0];
  574.             } else {
  575.                 $dir getcwd();
  576.                 if (!@chdir($real)) {
  577.                     return $real.$file;
  578.                 }
  579.                 $real getcwd().'/';
  580.                 chdir($dir);
  581.                 $dir $real;
  582.                 $k $kDir;
  583.                 $i \strlen($dir) - 1;
  584.                 while (!isset(self::$darwinCache[$k])) {
  585.                     self::$darwinCache[$k] = [$dir, []];
  586.                     self::$darwinCache[$dir] = &self::$darwinCache[$k];
  587.                     while ('/' !== $dir[--$i]) {
  588.                     }
  589.                     $k substr($k0, ++$i);
  590.                     $dir substr($dir0$i--);
  591.                 }
  592.             }
  593.         }
  594.         $dirFiles self::$darwinCache[$kDir][1];
  595.         if (!isset($dirFiles[$file]) && ') : eval()\'d code' === substr($file, -17)) {
  596.             // Get the file name from "file_name.php(123) : eval()'d code"
  597.             $file substr($file0strrpos($file'(', -17));
  598.         }
  599.         if (isset($dirFiles[$file])) {
  600.             return $real.$dirFiles[$file];
  601.         }
  602.         $kFile strtolower($file);
  603.         if (!isset($dirFiles[$kFile])) {
  604.             foreach (scandir($real2) as $f) {
  605.                 if ('.' !== $f[0]) {
  606.                     $dirFiles[$f] = $f;
  607.                     if ($f === $file) {
  608.                         $kFile $k $file;
  609.                     } elseif ($f !== $k strtolower($f)) {
  610.                         $dirFiles[$k] = $f;
  611.                     }
  612.                 }
  613.             }
  614.             self::$darwinCache[$kDir][1] = $dirFiles;
  615.         }
  616.         return $real.$dirFiles[$kFile];
  617.     }
  618.     /**
  619.      * `class_implements` includes interfaces from the parents so we have to manually exclude them.
  620.      *
  621.      * @return string[]
  622.      */
  623.     private function getOwnInterfaces(string $class, ?string $parent): array
  624.     {
  625.         $ownInterfaces class_implements($classfalse);
  626.         if ($parent) {
  627.             foreach (class_implements($parentfalse) as $interface) {
  628.                 unset($ownInterfaces[$interface]);
  629.             }
  630.         }
  631.         foreach ($ownInterfaces as $interface) {
  632.             foreach (class_implements($interface) as $interface) {
  633.                 unset($ownInterfaces[$interface]);
  634.             }
  635.         }
  636.         return $ownInterfaces;
  637.     }
  638.     private function setReturnType(string $typesstring $classstring $methodstring $filename, ?string $parent\ReflectionType $returnType null): void
  639.     {
  640.         if ('__construct' === $method) {
  641.             return;
  642.         }
  643.         if ($nullable === strpos($types'null|')) {
  644.             $types substr($types5);
  645.         } elseif ($nullable '|null' === substr($types, -5)) {
  646.             $types substr($types0, -5);
  647.         }
  648.         $arrayType = ['array' => 'array'];
  649.         $typesMap = [];
  650.         $glue false !== strpos($types'&') ? '&' '|';
  651.         foreach (explode($glue$types) as $t) {
  652.             $t self::SPECIAL_RETURN_TYPES[strtolower($t)] ?? $t;
  653.             $typesMap[$this->normalizeType($t$class$parent$returnType)][$t] = $t;
  654.         }
  655.         if (isset($typesMap['array'])) {
  656.             if (isset($typesMap['Traversable']) || isset($typesMap['\Traversable'])) {
  657.                 $typesMap['iterable'] = $arrayType !== $typesMap['array'] ? $typesMap['array'] : ['iterable'];
  658.                 unset($typesMap['array'], $typesMap['Traversable'], $typesMap['\Traversable']);
  659.             } elseif ($arrayType !== $typesMap['array'] && isset(self::$returnTypes[$class][$method]) && !$returnType) {
  660.                 return;
  661.             }
  662.         }
  663.         if (isset($typesMap['array']) && isset($typesMap['iterable'])) {
  664.             if ($arrayType !== $typesMap['array']) {
  665.                 $typesMap['iterable'] = $typesMap['array'];
  666.             }
  667.             unset($typesMap['array']);
  668.         }
  669.         $iterable $object true;
  670.         foreach ($typesMap as $n => $t) {
  671.             if ('null' !== $n) {
  672.                 $iterable $iterable && (\in_array($n, ['array''iterable']) || str_contains($n'Iterator'));
  673.                 $object $object && (\in_array($n, ['callable''object''$this''static']) || !isset(self::SPECIAL_RETURN_TYPES[$n]));
  674.             }
  675.         }
  676.         $phpTypes = [];
  677.         $docTypes = [];
  678.         foreach ($typesMap as $n => $t) {
  679.             if ('null' === $n) {
  680.                 $nullable true;
  681.                 continue;
  682.             }
  683.             $docTypes[] = $t;
  684.             if ('mixed' === $n || 'void' === $n) {
  685.                 $nullable false;
  686.                 $phpTypes = ['' => $n];
  687.                 continue;
  688.             }
  689.             if ('resource' === $n) {
  690.                 // there is no native type for "resource"
  691.                 return;
  692.             }
  693.             if (!isset($phpTypes[''])) {
  694.                 $phpTypes[] = $n;
  695.             }
  696.         }
  697.         $docTypes array_merge([], ...$docTypes);
  698.         if (!$phpTypes) {
  699.             return;
  700.         }
  701.         if (\count($phpTypes)) {
  702.             if ($iterable && '8.0' $this->patchTypes['php']) {
  703.                 $phpTypes $docTypes = ['iterable'];
  704.             } elseif ($object && 'object' === $this->patchTypes['force']) {
  705.                 $phpTypes $docTypes = ['object'];
  706.             } elseif ('8.0' $this->patchTypes['php']) {
  707.                 // ignore multi-types return declarations
  708.                 return;
  709.             }
  710.         }
  711.         $phpType sprintf($nullable ? (\count($phpTypes) ? '%s|null' '?%s') : '%s'implode($glue$phpTypes));
  712.         $docType sprintf($nullable '%s|null' '%s'implode($glue$docTypes));
  713.         self::$returnTypes[$class][$method] = [$phpType$docType$class$filename];
  714.     }
  715.     private function normalizeType(string $typestring $class, ?string $parent, ?\ReflectionType $returnType): string
  716.     {
  717.         if (isset(self::SPECIAL_RETURN_TYPES[$lcType strtolower($type)])) {
  718.             if ('parent' === $lcType self::SPECIAL_RETURN_TYPES[$lcType]) {
  719.                 $lcType null !== $parent '\\'.$parent 'parent';
  720.             } elseif ('self' === $lcType) {
  721.                 $lcType '\\'.$class;
  722.             }
  723.             return $lcType;
  724.         }
  725.         // We could resolve "use" statements to return the FQDN
  726.         // but this would be too expensive for a runtime checker
  727.         if ('[]' !== substr($type, -2)) {
  728.             return $type;
  729.         }
  730.         if ($returnType instanceof \ReflectionNamedType) {
  731.             $type $returnType->getName();
  732.             if ('mixed' !== $type) {
  733.                 return isset(self::SPECIAL_RETURN_TYPES[$type]) ? $type '\\'.$type;
  734.             }
  735.         }
  736.         return 'array';
  737.     }
  738.     /**
  739.      * Utility method to add #[ReturnTypeWillChange] where php triggers deprecations.
  740.      */
  741.     private function patchReturnTypeWillChange(\ReflectionMethod $method)
  742.     {
  743.         if (\count($method->getAttributes(\ReturnTypeWillChange::class))) {
  744.             return;
  745.         }
  746.         if (!is_file($file $method->getFileName())) {
  747.             return;
  748.         }
  749.         $fileOffset self::$fileOffsets[$file] ?? 0;
  750.         $code file($file);
  751.         $startLine $method->getStartLine() + $fileOffset 2;
  752.         if (false !== stripos($code[$startLine], 'ReturnTypeWillChange')) {
  753.             return;
  754.         }
  755.         $code[$startLine] .= "    #[\\ReturnTypeWillChange]\n";
  756.         self::$fileOffsets[$file] = $fileOffset;
  757.         file_put_contents($file$code);
  758.     }
  759.     /**
  760.      * Utility method to add @return annotations to the Symfony code-base where it triggers self-deprecations.
  761.      */
  762.     private function patchMethod(\ReflectionMethod $methodstring $returnTypestring $declaringFilestring $normalizedType)
  763.     {
  764.         static $patchedMethods = [];
  765.         static $useStatements = [];
  766.         if (!is_file($file $method->getFileName()) || isset($patchedMethods[$file][$startLine $method->getStartLine()])) {
  767.             return;
  768.         }
  769.         $patchedMethods[$file][$startLine] = true;
  770.         $fileOffset self::$fileOffsets[$file] ?? 0;
  771.         $startLine += $fileOffset 2;
  772.         if ($nullable '|null' === substr($returnType, -5)) {
  773.             $returnType substr($returnType0, -5);
  774.         }
  775.         $glue false !== strpos($returnType'&') ? '&' '|';
  776.         $returnType explode($glue$returnType);
  777.         $code file($file);
  778.         foreach ($returnType as $i => $type) {
  779.             if (preg_match('/((?:\[\])+)$/'$type$m)) {
  780.                 $type substr($type0, -\strlen($m[1]));
  781.                 $format '%s'.$m[1];
  782.             } else {
  783.                 $format null;
  784.             }
  785.             if (isset(self::SPECIAL_RETURN_TYPES[$type]) || ('\\' === $type[0] && !$p strrpos($type'\\'1))) {
  786.                 continue;
  787.             }
  788.             [$namespace$useOffset$useMap] = $useStatements[$file] ?? $useStatements[$file] = self::getUseStatements($file);
  789.             if ('\\' !== $type[0]) {
  790.                 [$declaringNamespace, , $declaringUseMap] = $useStatements[$declaringFile] ?? $useStatements[$declaringFile] = self::getUseStatements($declaringFile);
  791.                 $p strpos($type'\\'1);
  792.                 $alias $p substr($type0$p) : $type;
  793.                 if (isset($declaringUseMap[$alias])) {
  794.                     $type '\\'.$declaringUseMap[$alias].($p substr($type$p) : '');
  795.                 } else {
  796.                     $type '\\'.$declaringNamespace.$type;
  797.                 }
  798.                 $p strrpos($type'\\'1);
  799.             }
  800.             $alias substr($type$p);
  801.             $type substr($type1);
  802.             if (!isset($useMap[$alias]) && (class_exists($c $namespace.$alias) || interface_exists($c) || trait_exists($c))) {
  803.                 $useMap[$alias] = $c;
  804.             }
  805.             if (!isset($useMap[$alias])) {
  806.                 $useStatements[$file][2][$alias] = $type;
  807.                 $code[$useOffset] = "use $type;\n".$code[$useOffset];
  808.                 ++$fileOffset;
  809.             } elseif ($useMap[$alias] !== $type) {
  810.                 $alias .= 'FIXME';
  811.                 $useStatements[$file][2][$alias] = $type;
  812.                 $code[$useOffset] = "use $type as $alias;\n".$code[$useOffset];
  813.                 ++$fileOffset;
  814.             }
  815.             $returnType[$i] = null !== $format sprintf($format$alias) : $alias;
  816.         }
  817.         if ('docblock' === $this->patchTypes['force'] || ('object' === $normalizedType && '7.1' === $this->patchTypes['php'])) {
  818.             $returnType implode($glue$returnType).($nullable '|null' '');
  819.             if (false !== strpos($code[$startLine], '#[')) {
  820.                 --$startLine;
  821.             }
  822.             if ($method->getDocComment()) {
  823.                 $code[$startLine] = "     * @return $returnType\n".$code[$startLine];
  824.             } else {
  825.                 $code[$startLine] .= <<<EOTXT
  826.     /**
  827.      * @return $returnType
  828.      */
  829. EOTXT;
  830.             }
  831.             $fileOffset += substr_count($code[$startLine], "\n") - 1;
  832.         }
  833.         self::$fileOffsets[$file] = $fileOffset;
  834.         file_put_contents($file$code);
  835.         $this->fixReturnStatements($method$normalizedType);
  836.     }
  837.     private static function getUseStatements(string $file): array
  838.     {
  839.         $namespace '';
  840.         $useMap = [];
  841.         $useOffset 0;
  842.         if (!is_file($file)) {
  843.             return [$namespace$useOffset$useMap];
  844.         }
  845.         $file file($file);
  846.         for ($i 0$i \count($file); ++$i) {
  847.             if (preg_match('/^(class|interface|trait|abstract) /'$file[$i])) {
  848.                 break;
  849.             }
  850.             if (str_starts_with($file[$i], 'namespace ')) {
  851.                 $namespace substr($file[$i], \strlen('namespace '), -2).'\\';
  852.                 $useOffset $i 2;
  853.             }
  854.             if (str_starts_with($file[$i], 'use ')) {
  855.                 $useOffset $i;
  856.                 for (; str_starts_with($file[$i], 'use '); ++$i) {
  857.                     $u explode(' as 'substr($file[$i], 4, -2), 2);
  858.                     if (=== \count($u)) {
  859.                         $p strrpos($u[0], '\\');
  860.                         $useMap[substr($u[0], false !== $p $p 0)] = $u[0];
  861.                     } else {
  862.                         $useMap[$u[1]] = $u[0];
  863.                     }
  864.                 }
  865.                 break;
  866.             }
  867.         }
  868.         return [$namespace$useOffset$useMap];
  869.     }
  870.     private function fixReturnStatements(\ReflectionMethod $methodstring $returnType)
  871.     {
  872.         if ('docblock' !== $this->patchTypes['force']) {
  873.             if ('7.1' === $this->patchTypes['php'] && 'object' === ltrim($returnType'?')) {
  874.                 return;
  875.             }
  876.             if ('7.4' $this->patchTypes['php'] && $method->hasReturnType()) {
  877.                 return;
  878.             }
  879.             if ('8.0' $this->patchTypes['php'] && (false !== strpos($returnType'|') || \in_array($returnType, ['mixed''static'], true))) {
  880.                 return;
  881.             }
  882.             if ('8.1' $this->patchTypes['php'] && false !== strpos($returnType'&')) {
  883.                 return;
  884.             }
  885.         }
  886.         if (!is_file($file $method->getFileName())) {
  887.             return;
  888.         }
  889.         $fixedCode $code file($file);
  890.         $i = (self::$fileOffsets[$file] ?? 0) + $method->getStartLine();
  891.         if ('?' !== $returnType && 'docblock' !== $this->patchTypes['force']) {
  892.             $fixedCode[$i 1] = preg_replace('/\)(?::[^;\n]++)?(;?\n)/'"): $returnType\\1"$code[$i 1]);
  893.         }
  894.         $end $method->isGenerator() ? $i $method->getEndLine();
  895.         for (; $i $end; ++$i) {
  896.             if ('void' === $returnType) {
  897.                 $fixedCode[$i] = str_replace('    return null;''    return;'$code[$i]);
  898.             } elseif ('mixed' === $returnType || '?' === $returnType[0]) {
  899.                 $fixedCode[$i] = str_replace('    return;''    return null;'$code[$i]);
  900.             } else {
  901.                 $fixedCode[$i] = str_replace('    return;'"    return $returnType!?;"$code[$i]);
  902.             }
  903.         }
  904.         if ($fixedCode !== $code) {
  905.             file_put_contents($file$fixedCode);
  906.         }
  907.     }
  908.     /**
  909.      * @param \ReflectionClass|\ReflectionMethod|\ReflectionProperty $reflector
  910.      */
  911.     private function parsePhpDoc(\Reflector $reflector): array
  912.     {
  913.         if (!$doc $reflector->getDocComment()) {
  914.             return [];
  915.         }
  916.         $tagName '';
  917.         $tagContent '';
  918.         $tags = [];
  919.         foreach (explode("\n"substr($doc3, -2)) as $line) {
  920.             $line ltrim($line);
  921.             $line ltrim($line'*');
  922.             if ('' === $line trim($line)) {
  923.                 if ('' !== $tagName) {
  924.                     $tags[$tagName][] = $tagContent;
  925.                 }
  926.                 $tagName $tagContent '';
  927.                 continue;
  928.             }
  929.             if ('@' === $line[0]) {
  930.                 if ('' !== $tagName) {
  931.                     $tags[$tagName][] = $tagContent;
  932.                     $tagContent '';
  933.                 }
  934.                 if (preg_match('{^@([-a-zA-Z0-9_:]++)(\s|$)}'$line$m)) {
  935.                     $tagName $m[1];
  936.                     $tagContent str_replace("\t"' 'ltrim(substr($line\strlen($tagName))));
  937.                 } else {
  938.                     $tagName '';
  939.                 }
  940.             } elseif ('' !== $tagName) {
  941.                 $tagContent .= ' '.str_replace("\t"' '$line);
  942.             }
  943.         }
  944.         if ('' !== $tagName) {
  945.             $tags[$tagName][] = $tagContent;
  946.         }
  947.         foreach ($tags['method'] ?? [] as $i => $method) {
  948.             unset($tags['method'][$i]);
  949.             $parts preg_split('{(\s++|\((?:[^()]*+|(?R))*\)(?: *: *[^ ]++)?|<(?:[^<>]*+|(?R))*>|\{(?:[^{}]*+|(?R))*\})}'$method, -1\PREG_SPLIT_DELIM_CAPTURE);
  950.             $returnType '';
  951.             $static 'static' === $parts[0];
  952.             for ($i $static 0null !== $p $parts[$i] ?? null$i += 2) {
  953.                 if (\in_array($p, ['''|''&''callable'], true) || \in_array(substr($returnType, -1), ['|''&'], true)) {
  954.                     $returnType .= trim($parts[$i 1] ?? '').$p;
  955.                     continue;
  956.                 }
  957.                 $signature '(' === ($parts[$i 1][0] ?? '(') ? $parts[$i 1] ?? '()' null;
  958.                 if (null === $signature && '' === $returnType) {
  959.                     $returnType $p;
  960.                     continue;
  961.                 }
  962.                 if ($static && === $i) {
  963.                     $static false;
  964.                     $returnType 'static';
  965.                 }
  966.                 if (\in_array($description trim(implode(''\array_slice($parts$i))), ['''.'], true)) {
  967.                     $description null;
  968.                 } elseif (!preg_match('/[.!]$/'$description)) {
  969.                     $description .= '.';
  970.                 }
  971.                 $tags['method'][$p] = [$static$returnType$signature ?? '()'$description];
  972.                 break;
  973.             }
  974.         }
  975.         foreach ($tags['param'] ?? [] as $i => $param) {
  976.             unset($tags['param'][$i]);
  977.             if (\strlen($param) !== strcspn($param'<{(')) {
  978.                 $param preg_replace('{\(([^()]*+|(?R))*\)(?: *: *[^ ]++)?|<([^<>]*+|(?R))*>|\{([^{}]*+|(?R))*\}}'''$param);
  979.             }
  980.             if (false === $i strpos($param'$')) {
  981.                 continue;
  982.             }
  983.             $type === $i '' rtrim(substr($param0$i), ' &');
  984.             $param substr($param$i, (strpos($param' '$i) ?: ($i \strlen($param))) - $i 1);
  985.             $tags['param'][$param] = $type;
  986.         }
  987.         foreach (['var''return'] as $k) {
  988.             if (null === $v $tags[$k][0] ?? null) {
  989.                 continue;
  990.             }
  991.             if (\strlen($v) !== strcspn($v'<{(')) {
  992.                 $v preg_replace('{\(([^()]*+|(?R))*\)(?: *: *[^ ]++)?|<([^<>]*+|(?R))*>|\{([^{}]*+|(?R))*\}}'''$v);
  993.             }
  994.             $tags[$k] = substr($v0strpos($v' ') ?: \strlen($v)) ?: null;
  995.         }
  996.         return $tags;
  997.     }
  998. }