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

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