vendor/symfony/dependency-injection/Dumper/PhpDumper.php line 808

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\DependencyInjection\Dumper;
  11. use Composer\Autoload\ClassLoader;
  12. use Symfony\Component\Debug\DebugClassLoader as LegacyDebugClassLoader;
  13. use Symfony\Component\DependencyInjection\Argument\AbstractArgument;
  14. use Symfony\Component\DependencyInjection\Argument\ArgumentInterface;
  15. use Symfony\Component\DependencyInjection\Argument\IteratorArgument;
  16. use Symfony\Component\DependencyInjection\Argument\ServiceClosureArgument;
  17. use Symfony\Component\DependencyInjection\Argument\ServiceLocator;
  18. use Symfony\Component\DependencyInjection\Argument\ServiceLocatorArgument;
  19. use Symfony\Component\DependencyInjection\Compiler\AnalyzeServiceReferencesPass;
  20. use Symfony\Component\DependencyInjection\Compiler\CheckCircularReferencesPass;
  21. use Symfony\Component\DependencyInjection\Compiler\ServiceReferenceGraphNode;
  22. use Symfony\Component\DependencyInjection\Container;
  23. use Symfony\Component\DependencyInjection\ContainerBuilder;
  24. use Symfony\Component\DependencyInjection\ContainerInterface;
  25. use Symfony\Component\DependencyInjection\Definition;
  26. use Symfony\Component\DependencyInjection\Exception\EnvParameterException;
  27. use Symfony\Component\DependencyInjection\Exception\InvalidArgumentException;
  28. use Symfony\Component\DependencyInjection\Exception\LogicException;
  29. use Symfony\Component\DependencyInjection\Exception\RuntimeException;
  30. use Symfony\Component\DependencyInjection\Exception\ServiceCircularReferenceException;
  31. use Symfony\Component\DependencyInjection\ExpressionLanguage;
  32. use Symfony\Component\DependencyInjection\LazyProxy\PhpDumper\DumperInterface;
  33. use Symfony\Component\DependencyInjection\LazyProxy\PhpDumper\NullDumper;
  34. use Symfony\Component\DependencyInjection\Loader\FileLoader;
  35. use Symfony\Component\DependencyInjection\Parameter;
  36. use Symfony\Component\DependencyInjection\Reference;
  37. use Symfony\Component\DependencyInjection\ServiceLocator as BaseServiceLocator;
  38. use Symfony\Component\DependencyInjection\TypedReference;
  39. use Symfony\Component\DependencyInjection\Variable;
  40. use Symfony\Component\ErrorHandler\DebugClassLoader;
  41. use Symfony\Component\ExpressionLanguage\Expression;
  42. use Symfony\Component\HttpKernel\Kernel;
  43. /**
  44.  * PhpDumper dumps a service container as a PHP class.
  45.  *
  46.  * @author Fabien Potencier <fabien@symfony.com>
  47.  * @author Johannes M. Schmitt <schmittjoh@gmail.com>
  48.  */
  49. class PhpDumper extends Dumper
  50. {
  51.     /**
  52.      * Characters that might appear in the generated variable name as first character.
  53.      */
  54.     public const FIRST_CHARS 'abcdefghijklmnopqrstuvwxyz';
  55.     /**
  56.      * Characters that might appear in the generated variable name as any but the first character.
  57.      */
  58.     public const NON_FIRST_CHARS 'abcdefghijklmnopqrstuvwxyz0123456789_';
  59.     /**
  60.      * @var \SplObjectStorage<Definition, Variable>|null
  61.      */
  62.     private $definitionVariables;
  63.     private $referenceVariables;
  64.     private $variableCount;
  65.     private $inlinedDefinitions;
  66.     private $serviceCalls;
  67.     private $reservedVariables = ['instance''class''this''container'];
  68.     private $expressionLanguage;
  69.     private $targetDirRegex;
  70.     private $targetDirMaxMatches;
  71.     private $docStar;
  72.     private $serviceIdToMethodNameMap;
  73.     private $usedMethodNames;
  74.     private $namespace;
  75.     private $asFiles;
  76.     private $hotPathTag;
  77.     private $preloadTags;
  78.     private $inlineFactories;
  79.     private $inlineRequires;
  80.     private $inlinedRequires = [];
  81.     private $circularReferences = [];
  82.     private $singleUsePrivateIds = [];
  83.     private $preload = [];
  84.     private $addThrow false;
  85.     private $addGetService false;
  86.     private $locatedIds = [];
  87.     private $serviceLocatorTag;
  88.     private $exportedVariables = [];
  89.     private $baseClass;
  90.     /**
  91.      * @var DumperInterface
  92.      */
  93.     private $proxyDumper;
  94.     private $hasProxyDumper false;
  95.     /**
  96.      * {@inheritdoc}
  97.      */
  98.     public function __construct(ContainerBuilder $container)
  99.     {
  100.         if (!$container->isCompiled()) {
  101.             throw new LogicException('Cannot dump an uncompiled container.');
  102.         }
  103.         parent::__construct($container);
  104.     }
  105.     /**
  106.      * Sets the dumper to be used when dumping proxies in the generated container.
  107.      */
  108.     public function setProxyDumper(DumperInterface $proxyDumper)
  109.     {
  110.         $this->proxyDumper $proxyDumper;
  111.         $this->hasProxyDumper = !$proxyDumper instanceof NullDumper;
  112.     }
  113.     /**
  114.      * Dumps the service container as a PHP class.
  115.      *
  116.      * Available options:
  117.      *
  118.      *  * class:      The class name
  119.      *  * base_class: The base class name
  120.      *  * namespace:  The class namespace
  121.      *  * as_files:   To split the container in several files
  122.      *
  123.      * @return string|array A PHP class representing the service container or an array of PHP files if the "as_files" option is set
  124.      *
  125.      * @throws EnvParameterException When an env var exists but has not been dumped
  126.      */
  127.     public function dump(array $options = [])
  128.     {
  129.         $this->locatedIds = [];
  130.         $this->targetDirRegex null;
  131.         $this->inlinedRequires = [];
  132.         $this->exportedVariables = [];
  133.         $options array_merge([
  134.             'class' => 'ProjectServiceContainer',
  135.             'base_class' => 'Container',
  136.             'namespace' => '',
  137.             'as_files' => false,
  138.             'debug' => true,
  139.             'hot_path_tag' => 'container.hot_path',
  140.             'preload_tags' => ['container.preload''container.no_preload'],
  141.             'inline_factories_parameter' => 'container.dumper.inline_factories',
  142.             'inline_class_loader_parameter' => 'container.dumper.inline_class_loader',
  143.             'preload_classes' => [],
  144.             'service_locator_tag' => 'container.service_locator',
  145.             'build_time' => time(),
  146.         ], $options);
  147.         $this->addThrow $this->addGetService false;
  148.         $this->namespace $options['namespace'];
  149.         $this->asFiles $options['as_files'];
  150.         $this->hotPathTag $options['hot_path_tag'];
  151.         $this->preloadTags $options['preload_tags'];
  152.         $this->inlineFactories $this->asFiles && $options['inline_factories_parameter'] && $this->container->hasParameter($options['inline_factories_parameter']) && $this->container->getParameter($options['inline_factories_parameter']);
  153.         $this->inlineRequires $options['inline_class_loader_parameter'] && ($this->container->hasParameter($options['inline_class_loader_parameter']) ? $this->container->getParameter($options['inline_class_loader_parameter']) : (\PHP_VERSION_ID 70400 || $options['debug']));
  154.         $this->serviceLocatorTag $options['service_locator_tag'];
  155.         if (!str_starts_with($baseClass $options['base_class'], '\\') && 'Container' !== $baseClass) {
  156.             $baseClass sprintf('%s\%s'$options['namespace'] ? '\\'.$options['namespace'] : ''$baseClass);
  157.             $this->baseClass $baseClass;
  158.         } elseif ('Container' === $baseClass) {
  159.             $this->baseClass Container::class;
  160.         } else {
  161.             $this->baseClass $baseClass;
  162.         }
  163.         $this->initializeMethodNamesMap('Container' === $baseClass Container::class : $baseClass);
  164.         if (!$this->hasProxyDumper) {
  165.             (new AnalyzeServiceReferencesPass(truefalse))->process($this->container);
  166.             try {
  167.                 (new CheckCircularReferencesPass())->process($this->container);
  168.             } catch (ServiceCircularReferenceException $e) {
  169.                 $path $e->getPath();
  170.                 end($path);
  171.                 $path[key($path)] .= '". Try running "composer require symfony/proxy-manager-bridge';
  172.                 throw new ServiceCircularReferenceException($e->getServiceId(), $path);
  173.             }
  174.         }
  175.         $this->analyzeReferences();
  176.         $this->docStar $options['debug'] ? '*' '';
  177.         if (!empty($options['file']) && is_dir($dir \dirname($options['file']))) {
  178.             // Build a regexp where the first root dirs are mandatory,
  179.             // but every other sub-dir is optional up to the full path in $dir
  180.             // Mandate at least 1 root dir and not more than 5 optional dirs.
  181.             $dir explode(\DIRECTORY_SEPARATORrealpath($dir));
  182.             $i \count($dir);
  183.             if (+ (int) ('\\' === \DIRECTORY_SEPARATOR) <= $i) {
  184.                 $regex '';
  185.                 $lastOptionalDir $i $i : (+ (int) ('\\' === \DIRECTORY_SEPARATOR));
  186.                 $this->targetDirMaxMatches $i $lastOptionalDir;
  187.                 while (--$i >= $lastOptionalDir) {
  188.                     $regex sprintf('(%s%s)?'preg_quote(\DIRECTORY_SEPARATOR.$dir[$i], '#'), $regex);
  189.                 }
  190.                 do {
  191.                     $regex preg_quote(\DIRECTORY_SEPARATOR.$dir[$i], '#').$regex;
  192.                 } while (< --$i);
  193.                 $this->targetDirRegex '#(^|file://|[:;, \|\r\n])'.preg_quote($dir[0], '#').$regex.'#';
  194.             }
  195.         }
  196.         $proxyClasses $this->inlineFactories $this->generateProxyClasses() : null;
  197.         if ($options['preload_classes']) {
  198.             $this->preload array_combine($options['preload_classes'], $options['preload_classes']);
  199.         }
  200.         $code =
  201.             $this->startClass($options['class'], $baseClass$this->inlineFactories && $proxyClasses).
  202.             $this->addServices($services).
  203.             $this->addDeprecatedAliases().
  204.             $this->addDefaultParametersMethod()
  205.         ;
  206.         $proxyClasses $proxyClasses ?? $this->generateProxyClasses();
  207.         if ($this->addGetService) {
  208.             $code preg_replace(
  209.                 "/(\r?\n\r?\n    public function __construct.+?\\{\r?\n)/s",
  210.                 "\n    protected \$getService;$1        \$this->getService = \\Closure::fromCallable([\$this, 'getService']);\n",
  211.                 $code,
  212.                 1
  213.             );
  214.         }
  215.         if ($this->asFiles) {
  216.             $fileTemplate = <<<EOF
  217. <?php
  218. use Symfony\Component\DependencyInjection\Argument\RewindableGenerator;
  219. use Symfony\Component\DependencyInjection\Exception\RuntimeException;
  220. /*{$this->docStar}
  221.  * @internal This class has been auto-generated by the Symfony Dependency Injection Component.
  222.  */
  223. class %s extends {$options['class']}
  224. {%s}
  225. EOF;
  226.             $files = [];
  227.             $preloadedFiles = [];
  228.             $ids $this->container->getRemovedIds();
  229.             foreach ($this->container->getDefinitions() as $id => $definition) {
  230.                 if (!$definition->isPublic()) {
  231.                     $ids[$id] = true;
  232.                 }
  233.             }
  234.             if ($ids array_keys($ids)) {
  235.                 sort($ids);
  236.                 $c "<?php\n\nreturn [\n";
  237.                 foreach ($ids as $id) {
  238.                     $c .= '    '.$this->doExport($id)." => true,\n";
  239.                 }
  240.                 $files['removed-ids.php'] = $c."];\n";
  241.             }
  242.             if (!$this->inlineFactories) {
  243.                 foreach ($this->generateServiceFiles($services) as $file => [$c$preload]) {
  244.                     $files[$file] = sprintf($fileTemplatesubstr($file0, -4), $c);
  245.                     if ($preload) {
  246.                         $preloadedFiles[$file] = $file;
  247.                     }
  248.                 }
  249.                 foreach ($proxyClasses as $file => $c) {
  250.                     $files[$file] = "<?php\n".$c;
  251.                     $preloadedFiles[$file] = $file;
  252.                 }
  253.             }
  254.             $code .= $this->endClass();
  255.             if ($this->inlineFactories && $proxyClasses) {
  256.                 $files['proxy-classes.php'] = "<?php\n\n";
  257.                 foreach ($proxyClasses as $c) {
  258.                     $files['proxy-classes.php'] .= $c;
  259.                 }
  260.             }
  261.             $files[$options['class'].'.php'] = $code;
  262.             $hash ucfirst(strtr(ContainerBuilder::hash($files), '._''xx'));
  263.             $code = [];
  264.             foreach ($files as $file => $c) {
  265.                 $code["Container{$hash}/{$file}"] = substr_replace($c"<?php\n\nnamespace Container{$hash};\n"06);
  266.                 if (isset($preloadedFiles[$file])) {
  267.                     $preloadedFiles[$file] = "Container{$hash}/{$file}";
  268.                 }
  269.             }
  270.             $namespaceLine $this->namespace "\nnamespace {$this->namespace};\n" '';
  271.             $time $options['build_time'];
  272.             $id hash('crc32'$hash.$time);
  273.             $this->asFiles false;
  274.             if ($this->preload && null !== $autoloadFile $this->getAutoloadFile()) {
  275.                 $autoloadFile trim($this->export($autoloadFile), '()\\');
  276.                 $preloadedFiles array_reverse($preloadedFiles);
  277.                 if ('' !== $preloadedFiles implode("';\nrequire __DIR__.'/"$preloadedFiles)) {
  278.                     $preloadedFiles "require __DIR__.'/$preloadedFiles';\n";
  279.                 }
  280.                 $code[$options['class'].'.preload.php'] = <<<EOF
  281. <?php
  282. // This file has been auto-generated by the Symfony Dependency Injection Component
  283. // You can reference it in the "opcache.preload" php.ini setting on PHP >= 7.4 when preloading is desired
  284. use Symfony\Component\DependencyInjection\Dumper\Preloader;
  285. if (in_array(PHP_SAPI, ['cli', 'phpdbg'], true)) {
  286.     return;
  287. }
  288. require $autoloadFile;
  289. (require __DIR__.'/{$options['class']}.php')->set(\\Container{$hash}\\{$options['class']}::class, null);
  290. $preloadedFiles
  291. \$classes = [];
  292. EOF;
  293.                 foreach ($this->preload as $class) {
  294.                     if (!$class || str_contains($class'$') || \in_array($class, ['int''float''string''bool''resource''object''array''null''callable''iterable''mixed''void'], true)) {
  295.                         continue;
  296.                     }
  297.                     if (!(class_exists($classfalse) || interface_exists($classfalse) || trait_exists($classfalse)) || ((new \ReflectionClass($class))->isUserDefined() && !\in_array($class, ['Attribute''JsonException''ReturnTypeWillChange''Stringable''UnhandledMatchError''ValueError'], true))) {
  298.                         $code[$options['class'].'.preload.php'] .= sprintf("\$classes[] = '%s';\n"$class);
  299.                     }
  300.                 }
  301.                 $code[$options['class'].'.preload.php'] .= <<<'EOF'
  302. $preloaded = Preloader::preload($classes);
  303. EOF;
  304.             }
  305.             $code[$options['class'].'.php'] = <<<EOF
  306. <?php
  307. {$namespaceLine}
  308. // This file has been auto-generated by the Symfony Dependency Injection Component for internal use.
  309. if (\\class_exists(\\Container{$hash}\\{$options['class']}::class, false)) {
  310.     // no-op
  311. } elseif (!include __DIR__.'/Container{$hash}/{$options['class']}.php') {
  312.     touch(__DIR__.'/Container{$hash}.legacy');
  313.     return;
  314. }
  315. if (!\\class_exists({$options['class']}::class, false)) {
  316.     \\class_alias(\\Container{$hash}\\{$options['class']}::class, {$options['class']}::class, false);
  317. }
  318. return new \\Container{$hash}\\{$options['class']}([
  319.     'container.build_hash' => '$hash',
  320.     'container.build_id' => '$id',
  321.     'container.build_time' => $time,
  322. ], __DIR__.\\DIRECTORY_SEPARATOR.'Container{$hash}');
  323. EOF;
  324.         } else {
  325.             $code .= $this->endClass();
  326.             foreach ($proxyClasses as $c) {
  327.                 $code .= $c;
  328.             }
  329.         }
  330.         $this->targetDirRegex null;
  331.         $this->inlinedRequires = [];
  332.         $this->circularReferences = [];
  333.         $this->locatedIds = [];
  334.         $this->exportedVariables = [];
  335.         $this->preload = [];
  336.         $unusedEnvs = [];
  337.         foreach ($this->container->getEnvCounters() as $env => $use) {
  338.             if (!$use) {
  339.                 $unusedEnvs[] = $env;
  340.             }
  341.         }
  342.         if ($unusedEnvs) {
  343.             throw new EnvParameterException($unusedEnvsnull'Environment variables "%s" are never used. Please, check your container\'s configuration.');
  344.         }
  345.         return $code;
  346.     }
  347.     /**
  348.      * Retrieves the currently set proxy dumper or instantiates one.
  349.      */
  350.     private function getProxyDumper(): DumperInterface
  351.     {
  352.         if (!$this->proxyDumper) {
  353.             $this->proxyDumper = new NullDumper();
  354.         }
  355.         return $this->proxyDumper;
  356.     }
  357.     private function analyzeReferences()
  358.     {
  359.         (new AnalyzeServiceReferencesPass(false$this->hasProxyDumper))->process($this->container);
  360.         $checkedNodes = [];
  361.         $this->circularReferences = [];
  362.         $this->singleUsePrivateIds = [];
  363.         foreach ($this->container->getCompiler()->getServiceReferenceGraph()->getNodes() as $id => $node) {
  364.             if (!$node->getValue() instanceof Definition) {
  365.                 continue;
  366.             }
  367.             if ($this->isSingleUsePrivateNode($node)) {
  368.                 $this->singleUsePrivateIds[$id] = $id;
  369.             }
  370.             $this->collectCircularReferences($id$node->getOutEdges(), $checkedNodes);
  371.         }
  372.         $this->container->getCompiler()->getServiceReferenceGraph()->clear();
  373.         $this->singleUsePrivateIds array_diff_key($this->singleUsePrivateIds$this->circularReferences);
  374.     }
  375.     private function collectCircularReferences(string $sourceId, array $edges, array &$checkedNodes, array &$loops = [], array $path = [], bool $byConstructor true): void
  376.     {
  377.         $path[$sourceId] = $byConstructor;
  378.         $checkedNodes[$sourceId] = true;
  379.         foreach ($edges as $edge) {
  380.             $node $edge->getDestNode();
  381.             $id $node->getId();
  382.             if ($sourceId === $id || !$node->getValue() instanceof Definition || $edge->isWeak()) {
  383.                 continue;
  384.             }
  385.             if (isset($path[$id])) {
  386.                 $loop null;
  387.                 $loopByConstructor $edge->isReferencedByConstructor() && !$edge->isLazy();
  388.                 $pathInLoop = [$id, []];
  389.                 foreach ($path as $k => $pathByConstructor) {
  390.                     if (null !== $loop) {
  391.                         $loop[] = $k;
  392.                         $pathInLoop[1][$k] = $pathByConstructor;
  393.                         $loops[$k][] = &$pathInLoop;
  394.                         $loopByConstructor $loopByConstructor && $pathByConstructor;
  395.                     } elseif ($k === $id) {
  396.                         $loop = [];
  397.                     }
  398.                 }
  399.                 $this->addCircularReferences($id$loop$loopByConstructor);
  400.             } elseif (!isset($checkedNodes[$id])) {
  401.                 $this->collectCircularReferences($id$node->getOutEdges(), $checkedNodes$loops$path$edge->isReferencedByConstructor() && !$edge->isLazy());
  402.             } elseif (isset($loops[$id])) {
  403.                 // we already had detected loops for this edge
  404.                 // let's check if we have a common ancestor in one of the detected loops
  405.                 foreach ($loops[$id] as [$first$loopPath]) {
  406.                     if (!isset($path[$first])) {
  407.                         continue;
  408.                     }
  409.                     // We have a common ancestor, let's fill the current path
  410.                     $fillPath null;
  411.                     foreach ($loopPath as $k => $pathByConstructor) {
  412.                         if (null !== $fillPath) {
  413.                             $fillPath[$k] = $pathByConstructor;
  414.                         } elseif ($k === $id) {
  415.                             $fillPath $path;
  416.                             $fillPath[$k] = $pathByConstructor;
  417.                         }
  418.                     }
  419.                     // we can now build the loop
  420.                     $loop null;
  421.                     $loopByConstructor $edge->isReferencedByConstructor() && !$edge->isLazy();
  422.                     foreach ($fillPath as $k => $pathByConstructor) {
  423.                         if (null !== $loop) {
  424.                             $loop[] = $k;
  425.                             $loopByConstructor $loopByConstructor && $pathByConstructor;
  426.                         } elseif ($k === $first) {
  427.                             $loop = [];
  428.                         }
  429.                     }
  430.                     $this->addCircularReferences($first$looptrue);
  431.                     break;
  432.                 }
  433.             }
  434.         }
  435.         unset($path[$sourceId]);
  436.     }
  437.     private function addCircularReferences(string $sourceId, array $currentPathbool $byConstructor)
  438.     {
  439.         $currentId $sourceId;
  440.         $currentPath array_reverse($currentPath);
  441.         $currentPath[] = $currentId;
  442.         foreach ($currentPath as $parentId) {
  443.             if (empty($this->circularReferences[$parentId][$currentId])) {
  444.                 $this->circularReferences[$parentId][$currentId] = $byConstructor;
  445.             }
  446.             $currentId $parentId;
  447.         }
  448.     }
  449.     private function collectLineage(string $class, array &$lineage)
  450.     {
  451.         if (isset($lineage[$class])) {
  452.             return;
  453.         }
  454.         if (!$r $this->container->getReflectionClass($classfalse)) {
  455.             return;
  456.         }
  457.         if (is_a($class$this->baseClasstrue)) {
  458.             return;
  459.         }
  460.         $file $r->getFileName();
  461.         if (str_ends_with($file') : eval()\'d code')) {
  462.             $file substr($file0strrpos($file'(', -17));
  463.         }
  464.         if (!$file || $this->doExport($file) === $exportedFile $this->export($file)) {
  465.             return;
  466.         }
  467.         $lineage[$class] = substr($exportedFile1, -1);
  468.         if ($parent $r->getParentClass()) {
  469.             $this->collectLineage($parent->name$lineage);
  470.         }
  471.         foreach ($r->getInterfaces() as $parent) {
  472.             $this->collectLineage($parent->name$lineage);
  473.         }
  474.         foreach ($r->getTraits() as $parent) {
  475.             $this->collectLineage($parent->name$lineage);
  476.         }
  477.         unset($lineage[$class]);
  478.         $lineage[$class] = substr($exportedFile1, -1);
  479.     }
  480.     private function generateProxyClasses(): array
  481.     {
  482.         $proxyClasses = [];
  483.         $alreadyGenerated = [];
  484.         $definitions $this->container->getDefinitions();
  485.         $strip '' === $this->docStar && method_exists(Kernel::class, 'stripComments');
  486.         $proxyDumper $this->getProxyDumper();
  487.         ksort($definitions);
  488.         foreach ($definitions as $definition) {
  489.             if (!$proxyDumper->isProxyCandidate($definition)) {
  490.                 continue;
  491.             }
  492.             if (isset($alreadyGenerated[$class $definition->getClass()])) {
  493.                 continue;
  494.             }
  495.             $alreadyGenerated[$class] = true;
  496.             // register class' reflector for resource tracking
  497.             $this->container->getReflectionClass($class);
  498.             if ("\n" === $proxyCode "\n".$proxyDumper->getProxyCode($definition)) {
  499.                 continue;
  500.             }
  501.             if ($this->inlineRequires) {
  502.                 $lineage = [];
  503.                 $this->collectLineage($class$lineage);
  504.                 $code '';
  505.                 foreach (array_diff_key(array_flip($lineage), $this->inlinedRequires) as $file => $class) {
  506.                     if ($this->inlineFactories) {
  507.                         $this->inlinedRequires[$file] = true;
  508.                     }
  509.                     $code .= sprintf("include_once %s;\n"$file);
  510.                 }
  511.                 $proxyCode $code.$proxyCode;
  512.             }
  513.             if ($strip) {
  514.                 $proxyCode "<?php\n".$proxyCode;
  515.                 $proxyCode substr(Kernel::stripComments($proxyCode), 5);
  516.             }
  517.             $proxyClass explode(' '$this->inlineRequires substr($proxyCode\strlen($code)) : $proxyCode3)[1];
  518.             if ($this->asFiles || $this->namespace) {
  519.                 $proxyCode .= "\nif (!\\class_exists('$proxyClass', false)) {\n    \\class_alias(__NAMESPACE__.'\\\\$proxyClass', '$proxyClass', false);\n}\n";
  520.             }
  521.             $proxyClasses[$proxyClass.'.php'] = $proxyCode;
  522.         }
  523.         return $proxyClasses;
  524.     }
  525.     private function addServiceInclude(string $cIdDefinition $definition): string
  526.     {
  527.         $code '';
  528.         if ($this->inlineRequires && (!$this->isHotPath($definition) || $this->getProxyDumper()->isProxyCandidate($definition))) {
  529.             $lineage = [];
  530.             foreach ($this->inlinedDefinitions as $def) {
  531.                 if (!$def->isDeprecated()) {
  532.                     foreach ($this->getClasses($def$cId) as $class) {
  533.                         $this->collectLineage($class$lineage);
  534.                     }
  535.                 }
  536.             }
  537.             foreach ($this->serviceCalls as $id => [$callCount$behavior]) {
  538.                 if ('service_container' !== $id && $id !== $cId
  539.                     && ContainerInterface::IGNORE_ON_UNINITIALIZED_REFERENCE !== $behavior
  540.                     && $this->container->has($id)
  541.                     && $this->isTrivialInstance($def $this->container->findDefinition($id))
  542.                 ) {
  543.                     foreach ($this->getClasses($def$cId) as $class) {
  544.                         $this->collectLineage($class$lineage);
  545.                     }
  546.                 }
  547.             }
  548.             foreach (array_diff_key(array_flip($lineage), $this->inlinedRequires) as $file => $class) {
  549.                 $code .= sprintf("        include_once %s;\n"$file);
  550.             }
  551.         }
  552.         foreach ($this->inlinedDefinitions as $def) {
  553.             if ($file $def->getFile()) {
  554.                 $file $this->dumpValue($file);
  555.                 $file '(' === $file[0] ? substr($file1, -1) : $file;
  556.                 $code .= sprintf("        include_once %s;\n"$file);
  557.             }
  558.         }
  559.         if ('' !== $code) {
  560.             $code .= "\n";
  561.         }
  562.         return $code;
  563.     }
  564.     /**
  565.      * @throws InvalidArgumentException
  566.      * @throws RuntimeException
  567.      */
  568.     private function addServiceInstance(string $idDefinition $definitionbool $isSimpleInstance): string
  569.     {
  570.         $class $this->dumpValue($definition->getClass());
  571.         if (str_starts_with($class"'") && !str_contains($class'$') && !preg_match('/^\'(?:\\\{2})?[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*(?:\\\{2}[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*)*\'$/'$class)) {
  572.             throw new InvalidArgumentException(sprintf('"%s" is not a valid class name for the "%s" service.'$class$id));
  573.         }
  574.         $isProxyCandidate $this->getProxyDumper()->isProxyCandidate($definition);
  575.         $instantiation '';
  576.         $lastWitherIndex null;
  577.         foreach ($definition->getMethodCalls() as $k => $call) {
  578.             if ($call[2] ?? false) {
  579.                 $lastWitherIndex $k;
  580.             }
  581.         }
  582.         if (!$isProxyCandidate && $definition->isShared() && !isset($this->singleUsePrivateIds[$id]) && null === $lastWitherIndex) {
  583.             $instantiation sprintf('$this->%s[%s] = %s'$this->container->getDefinition($id)->isPublic() ? 'services' 'privates'$this->doExport($id), $isSimpleInstance '' '$instance');
  584.         } elseif (!$isSimpleInstance) {
  585.             $instantiation '$instance';
  586.         }
  587.         $return '';
  588.         if ($isSimpleInstance) {
  589.             $return 'return ';
  590.         } else {
  591.             $instantiation .= ' = ';
  592.         }
  593.         return $this->addNewInstance($definition'        '.$return.$instantiation$id);
  594.     }
  595.     private function isTrivialInstance(Definition $definition): bool
  596.     {
  597.         if ($definition->hasErrors()) {
  598.             return true;
  599.         }
  600.         if ($definition->isSynthetic() || $definition->getFile() || $definition->getMethodCalls() || $definition->getProperties() || $definition->getConfigurator()) {
  601.             return false;
  602.         }
  603.         if ($definition->isDeprecated() || $definition->isLazy() || $definition->getFactory() || \count($definition->getArguments())) {
  604.             return false;
  605.         }
  606.         foreach ($definition->getArguments() as $arg) {
  607.             if (!$arg || $arg instanceof Parameter) {
  608.                 continue;
  609.             }
  610.             if (\is_array($arg) && >= \count($arg)) {
  611.                 foreach ($arg as $k => $v) {
  612.                     if ($this->dumpValue($k) !== $this->dumpValue($kfalse)) {
  613.                         return false;
  614.                     }
  615.                     if (!$v || $v instanceof Parameter) {
  616.                         continue;
  617.                     }
  618.                     if ($v instanceof Reference && $this->container->has($id = (string) $v) && $this->container->findDefinition($id)->isSynthetic()) {
  619.                         continue;
  620.                     }
  621.                     if (!\is_scalar($v) || $this->dumpValue($v) !== $this->dumpValue($vfalse)) {
  622.                         return false;
  623.                     }
  624.                 }
  625.             } elseif ($arg instanceof Reference && $this->container->has($id = (string) $arg) && $this->container->findDefinition($id)->isSynthetic()) {
  626.                 continue;
  627.             } elseif (!\is_scalar($arg) || $this->dumpValue($arg) !== $this->dumpValue($argfalse)) {
  628.                 return false;
  629.             }
  630.         }
  631.         return true;
  632.     }
  633.     private function addServiceMethodCalls(Definition $definitionstring $variableName, ?string $sharedNonLazyId): string
  634.     {
  635.         $lastWitherIndex null;
  636.         foreach ($definition->getMethodCalls() as $k => $call) {
  637.             if ($call[2] ?? false) {
  638.                 $lastWitherIndex $k;
  639.             }
  640.         }
  641.         $calls '';
  642.         foreach ($definition->getMethodCalls() as $k => $call) {
  643.             $arguments = [];
  644.             foreach ($call[1] as $i => $value) {
  645.                 $arguments[] = (\is_string($i) ? $i.': ' '').$this->dumpValue($value);
  646.             }
  647.             $witherAssignation '';
  648.             if ($call[2] ?? false) {
  649.                 if (null !== $sharedNonLazyId && $lastWitherIndex === $k) {
  650.                     $witherAssignation sprintf('$this->%s[\'%s\'] = '$definition->isPublic() ? 'services' 'privates'$sharedNonLazyId);
  651.                 }
  652.                 $witherAssignation .= sprintf('$%s = '$variableName);
  653.             }
  654.             $calls .= $this->wrapServiceConditionals($call[1], sprintf("        %s\$%s->%s(%s);\n"$witherAssignation$variableName$call[0], implode(', '$arguments)));
  655.         }
  656.         return $calls;
  657.     }
  658.     private function addServiceProperties(Definition $definitionstring $variableName 'instance'): string
  659.     {
  660.         $code '';
  661.         foreach ($definition->getProperties() as $name => $value) {
  662.             $code .= sprintf("        \$%s->%s = %s;\n"$variableName$name$this->dumpValue($value));
  663.         }
  664.         return $code;
  665.     }
  666.     private function addServiceConfigurator(Definition $definitionstring $variableName 'instance'): string
  667.     {
  668.         if (!$callable $definition->getConfigurator()) {
  669.             return '';
  670.         }
  671.         if (\is_array($callable)) {
  672.             if ($callable[0] instanceof Reference
  673.                 || ($callable[0] instanceof Definition && $this->definitionVariables->contains($callable[0]))
  674.             ) {
  675.                 return sprintf("        %s->%s(\$%s);\n"$this->dumpValue($callable[0]), $callable[1], $variableName);
  676.             }
  677.             $class $this->dumpValue($callable[0]);
  678.             // If the class is a string we can optimize away
  679.             if (str_starts_with($class"'") && !str_contains($class'$')) {
  680.                 return sprintf("        %s::%s(\$%s);\n"$this->dumpLiteralClass($class), $callable[1], $variableName);
  681.             }
  682.             if (str_starts_with($class'new ')) {
  683.                 return sprintf("        (%s)->%s(\$%s);\n"$this->dumpValue($callable[0]), $callable[1], $variableName);
  684.             }
  685.             return sprintf("        [%s, '%s'](\$%s);\n"$this->dumpValue($callable[0]), $callable[1], $variableName);
  686.         }
  687.         return sprintf("        %s(\$%s);\n"$callable$variableName);
  688.     }
  689.     private function addService(string $idDefinition $definition): array
  690.     {
  691.         $this->definitionVariables = new \SplObjectStorage();
  692.         $this->referenceVariables = [];
  693.         $this->variableCount 0;
  694.         $this->referenceVariables[$id] = new Variable('instance');
  695.         $return = [];
  696.         if ($class $definition->getClass()) {
  697.             $class $class instanceof Parameter '%'.$class.'%' $this->container->resolveEnvPlaceholders($class);
  698.             $return[] = sprintf(str_starts_with($class'%') ? '@return object A %1$s instance' '@return \%s'ltrim($class'\\'));
  699.         } elseif ($definition->getFactory()) {
  700.             $factory $definition->getFactory();
  701.             if (\is_string($factory)) {
  702.                 $return[] = sprintf('@return object An instance returned by %s()'$factory);
  703.             } elseif (\is_array($factory) && (\is_string($factory[0]) || $factory[0] instanceof Definition || $factory[0] instanceof Reference)) {
  704.                 $class $factory[0] instanceof Definition $factory[0]->getClass() : (string) $factory[0];
  705.                 $class $class instanceof Parameter '%'.$class.'%' $this->container->resolveEnvPlaceholders($class);
  706.                 $return[] = sprintf('@return object An instance returned by %s::%s()'$class$factory[1]);
  707.             }
  708.         }
  709.         if ($definition->isDeprecated()) {
  710.             if ($return && str_starts_with($return[\count($return) - 1], '@return')) {
  711.                 $return[] = '';
  712.             }
  713.             $deprecation $definition->getDeprecation($id);
  714.             $return[] = sprintf('@deprecated %s', ($deprecation['package'] || $deprecation['version'] ? "Since {$deprecation['package']} {$deprecation['version']}: " '').$deprecation['message']);
  715.         }
  716.         $return str_replace("\n     * \n""\n     *\n"implode("\n     * "$return));
  717.         $return $this->container->resolveEnvPlaceholders($return);
  718.         $shared $definition->isShared() ? ' shared' '';
  719.         $public $definition->isPublic() ? 'public' 'private';
  720.         $autowired $definition->isAutowired() ? ' autowired' '';
  721.         $asFile $this->asFiles && !$this->inlineFactories && !$this->isHotPath($definition);
  722.         $methodName $this->generateMethodName($id);
  723.         if ($asFile || $definition->isLazy()) {
  724.             $lazyInitialization '$lazyLoad = true';
  725.         } else {
  726.             $lazyInitialization '';
  727.         }
  728.         $code = <<<EOF
  729.     /*{$this->docStar}
  730.      * Gets the $public '$id'$shared$autowired service.
  731.      *
  732.      * $return
  733. EOF;
  734.         $code str_replace('*/'' '$code).<<<EOF
  735.      */
  736.     protected function {$methodName}($lazyInitialization)
  737.     {
  738. EOF;
  739.         if ($asFile) {
  740.             $file $methodName.'.php';
  741.             $code str_replace("protected function {$methodName}("'public static function do($container, '$code);
  742.         } else {
  743.             $file null;
  744.         }
  745.         if ($definition->hasErrors() && $e $definition->getErrors()) {
  746.             $this->addThrow true;
  747.             $code .= sprintf("        \$this->throw(%s);\n"$this->export(reset($e)));
  748.         } else {
  749.             $this->serviceCalls = [];
  750.             $this->inlinedDefinitions $this->getDefinitionsFromArguments([$definition], null$this->serviceCalls);
  751.             if ($definition->isDeprecated()) {
  752.                 $deprecation $definition->getDeprecation($id);
  753.                 $code .= sprintf("        trigger_deprecation(%s, %s, %s);\n\n"$this->export($deprecation['package']), $this->export($deprecation['version']), $this->export($deprecation['message']));
  754.             } elseif ($definition->hasTag($this->hotPathTag) || !$definition->hasTag($this->preloadTags[1])) {
  755.                 foreach ($this->inlinedDefinitions as $def) {
  756.                     foreach ($this->getClasses($def$id) as $class) {
  757.                         $this->preload[$class] = $class;
  758.                     }
  759.                 }
  760.             }
  761.             if (!$definition->isShared()) {
  762.                 $factory sprintf('$this->factories%s[%s]'$definition->isPublic() ? '' "['service_container']"$this->doExport($id));
  763.             }
  764.             if ($isProxyCandidate $this->getProxyDumper()->isProxyCandidate($definition)) {
  765.                 if (!$definition->isShared()) {
  766.                     $code .= sprintf('        %s = %1$s ?? '$factory);
  767.                     if ($asFile) {
  768.                         $code .= "function () {\n";
  769.                         $code .= "            return self::do(\$container);\n";
  770.                         $code .= "        };\n\n";
  771.                     } else {
  772.                         $code .= sprintf("\\Closure::fromCallable([\$this, '%s']);\n\n"$methodName);
  773.                     }
  774.                 }
  775.                 $factoryCode $asFile 'self::do($container, false)' sprintf('$this->%s(false)'$methodName);
  776.                 $factoryCode $this->getProxyDumper()->getProxyFactoryCode($definition$id$factoryCode);
  777.                 $code .= $asFile preg_replace('/function \(([^)]*+)\)( {|:)/''function (\1) use ($container)\2'$factoryCode) : $factoryCode;
  778.             }
  779.             $c $this->addServiceInclude($id$definition);
  780.             if ('' !== $c && $isProxyCandidate && !$definition->isShared()) {
  781.                 $c implode("\n"array_map(function ($line) { return $line '    '.$line $line; }, explode("\n"$c)));
  782.                 $code .= "        static \$include = true;\n\n";
  783.                 $code .= "        if (\$include) {\n";
  784.                 $code .= $c;
  785.                 $code .= "            \$include = false;\n";
  786.                 $code .= "        }\n\n";
  787.             } else {
  788.                 $code .= $c;
  789.             }
  790.             $c $this->addInlineService($id$definition);
  791.             if (!$isProxyCandidate && !$definition->isShared()) {
  792.                 $c implode("\n"array_map(function ($line) { return $line '    '.$line $line; }, explode("\n"$c)));
  793.                 $lazyloadInitialization $definition->isLazy() ? '$lazyLoad = true' '';
  794.                 $c sprintf("        %s = function (%s) {\n%s        };\n\n        return %1\$s();\n"$factory$lazyloadInitialization$c);
  795.             }
  796.             $code .= $c;
  797.         }
  798.         if ($asFile) {
  799.             $code str_replace('$this''$container'$code);
  800.             $code preg_replace('/function \(([^)]*+)\)( {|:)/''function (\1) use ($container)\2'$code);
  801.         }
  802.         $code .= "    }\n";
  803.         $this->definitionVariables $this->inlinedDefinitions null;
  804.         $this->referenceVariables $this->serviceCalls null;
  805.         return [$file$code];
  806.     }
  807.     private function addInlineVariables(string $idDefinition $definition, array $argumentsbool $forConstructor): string
  808.     {
  809.         $code '';
  810.         foreach ($arguments as $argument) {
  811.             if (\is_array($argument)) {
  812.                 $code .= $this->addInlineVariables($id$definition$argument$forConstructor);
  813.             } elseif ($argument instanceof Reference) {
  814.                 $code .= $this->addInlineReference($id$definition$argument$forConstructor);
  815.             } elseif ($argument instanceof Definition) {
  816.                 $code .= $this->addInlineService($id$definition$argument$forConstructor);
  817.             }
  818.         }
  819.         return $code;
  820.     }
  821.     private function addInlineReference(string $idDefinition $definitionstring $targetIdbool $forConstructor): string
  822.     {
  823.         while ($this->container->hasAlias($targetId)) {
  824.             $targetId = (string) $this->container->getAlias($targetId);
  825.         }
  826.         [$callCount$behavior] = $this->serviceCalls[$targetId];
  827.         if ($id === $targetId) {
  828.             return $this->addInlineService($id$definition$definition);
  829.         }
  830.         if ('service_container' === $targetId || isset($this->referenceVariables[$targetId])) {
  831.             return '';
  832.         }
  833.         if ($this->container->hasDefinition($targetId) && ($def $this->container->getDefinition($targetId)) && !$def->isShared()) {
  834.             return '';
  835.         }
  836.         $hasSelfRef = isset($this->circularReferences[$id][$targetId]) && !isset($this->definitionVariables[$definition]) && !($this->hasProxyDumper && $definition->isLazy());
  837.         if ($hasSelfRef && !$forConstructor && !$forConstructor = !$this->circularReferences[$id][$targetId]) {
  838.             $code $this->addInlineService($id$definition$definition);
  839.         } else {
  840.             $code '';
  841.         }
  842.         if (isset($this->referenceVariables[$targetId]) || ($callCount && (!$hasSelfRef || !$forConstructor))) {
  843.             return $code;
  844.         }
  845.         $name $this->getNextVariableName();
  846.         $this->referenceVariables[$targetId] = new Variable($name);
  847.         $reference ContainerInterface::EXCEPTION_ON_INVALID_REFERENCE >= $behavior ? new Reference($targetId$behavior) : null;
  848.         $code .= sprintf("        \$%s = %s;\n"$name$this->getServiceCall($targetId$reference));
  849.         if (!$hasSelfRef || !$forConstructor) {
  850.             return $code;
  851.         }
  852.         $code .= sprintf(<<<'EOTXT'
  853.         if (isset($this->%s[%s])) {
  854.             return $this->%1$s[%2$s];
  855.         }
  856. EOTXT
  857.             ,
  858.             $this->container->getDefinition($id)->isPublic() ? 'services' 'privates',
  859.             $this->doExport($id)
  860.         );
  861.         return $code;
  862.     }
  863.     private function addInlineService(string $idDefinition $definitionDefinition $inlineDef nullbool $forConstructor true): string
  864.     {
  865.         $code '';
  866.         if ($isSimpleInstance $isRootInstance null === $inlineDef) {
  867.             foreach ($this->serviceCalls as $targetId => [$callCount$behavior$byConstructor]) {
  868.                 if ($byConstructor && isset($this->circularReferences[$id][$targetId]) && !$this->circularReferences[$id][$targetId] && !($this->hasProxyDumper && $definition->isLazy())) {
  869.                     $code .= $this->addInlineReference($id$definition$targetId$forConstructor);
  870.                 }
  871.             }
  872.         }
  873.         if (isset($this->definitionVariables[$inlineDef $inlineDef ?: $definition])) {
  874.             return $code;
  875.         }
  876.         $arguments = [$inlineDef->getArguments(), $inlineDef->getFactory()];
  877.         $code .= $this->addInlineVariables($id$definition$arguments$forConstructor);
  878.         if ($arguments array_filter([$inlineDef->getProperties(), $inlineDef->getMethodCalls(), $inlineDef->getConfigurator()])) {
  879.             $isSimpleInstance false;
  880.         } elseif ($definition !== $inlineDef && $this->inlinedDefinitions[$inlineDef]) {
  881.             return $code;
  882.         }
  883.         if (isset($this->definitionVariables[$inlineDef])) {
  884.             $isSimpleInstance false;
  885.         } else {
  886.             $name $definition === $inlineDef 'instance' $this->getNextVariableName();
  887.             $this->definitionVariables[$inlineDef] = new Variable($name);
  888.             $code .= '' !== $code "\n" '';
  889.             if ('instance' === $name) {
  890.                 $code .= $this->addServiceInstance($id$definition$isSimpleInstance);
  891.             } else {
  892.                 $code .= $this->addNewInstance($inlineDef'        $'.$name.' = '$id);
  893.             }
  894.             if ('' !== $inline $this->addInlineVariables($id$definition$argumentsfalse)) {
  895.                 $code .= "\n".$inline."\n";
  896.             } elseif ($arguments && 'instance' === $name) {
  897.                 $code .= "\n";
  898.             }
  899.             $code .= $this->addServiceProperties($inlineDef$name);
  900.             $code .= $this->addServiceMethodCalls($inlineDef$name, !$this->getProxyDumper()->isProxyCandidate($inlineDef) && $inlineDef->isShared() && !isset($this->singleUsePrivateIds[$id]) ? $id null);
  901.             $code .= $this->addServiceConfigurator($inlineDef$name);
  902.         }
  903.         if ($isRootInstance && !$isSimpleInstance) {
  904.             $code .= "\n        return \$instance;\n";
  905.         }
  906.         return $code;
  907.     }
  908.     private function addServices(array &$services null): string
  909.     {
  910.         $publicServices $privateServices '';
  911.         $definitions $this->container->getDefinitions();
  912.         ksort($definitions);
  913.         foreach ($definitions as $id => $definition) {
  914.             if (!$definition->isSynthetic()) {
  915.                 $services[$id] = $this->addService($id$definition);
  916.             } elseif ($definition->hasTag($this->hotPathTag) || !$definition->hasTag($this->preloadTags[1])) {
  917.                 $services[$id] = null;
  918.                 foreach ($this->getClasses($definition$id) as $class) {
  919.                     $this->preload[$class] = $class;
  920.                 }
  921.             }
  922.         }
  923.         foreach ($definitions as $id => $definition) {
  924.             if (!([$file$code] = $services[$id]) || null !== $file) {
  925.                 continue;
  926.             }
  927.             if ($definition->isPublic()) {
  928.                 $publicServices .= $code;
  929.             } elseif (!$this->isTrivialInstance($definition) || isset($this->locatedIds[$id])) {
  930.                 $privateServices .= $code;
  931.             }
  932.         }
  933.         return $publicServices.$privateServices;
  934.     }
  935.     private function generateServiceFiles(array $services): iterable
  936.     {
  937.         $definitions $this->container->getDefinitions();
  938.         ksort($definitions);
  939.         foreach ($definitions as $id => $definition) {
  940.             if (([$file$code] = $services[$id]) && null !== $file && ($definition->isPublic() || !$this->isTrivialInstance($definition) || isset($this->locatedIds[$id]))) {
  941.                 yield $file => [$code$definition->hasTag($this->hotPathTag) || !$definition->hasTag($this->preloadTags[1]) && !$definition->isDeprecated() && !$definition->hasErrors()];
  942.             }
  943.         }
  944.     }
  945.     private function addNewInstance(Definition $definitionstring $return ''string $id null): string
  946.     {
  947.         $tail $return ";\n" '';
  948.         if (BaseServiceLocator::class === $definition->getClass() && $definition->hasTag($this->serviceLocatorTag)) {
  949.             $arguments = [];
  950.             foreach ($definition->getArgument(0) as $k => $argument) {
  951.                 $arguments[$k] = $argument->getValues()[0];
  952.             }
  953.             return $return.$this->dumpValue(new ServiceLocatorArgument($arguments)).$tail;
  954.         }
  955.         $arguments = [];
  956.         foreach ($definition->getArguments() as $i => $value) {
  957.             $arguments[] = (\is_string($i) ? $i.': ' '').$this->dumpValue($value);
  958.         }
  959.         if (null !== $definition->getFactory()) {
  960.             $callable $definition->getFactory();
  961.             if (\is_array($callable)) {
  962.                 if (!preg_match('/^[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*$/'$callable[1])) {
  963.                     throw new RuntimeException(sprintf('Cannot dump definition because of invalid factory method (%s).'$callable[1] ?: 'n/a'));
  964.                 }
  965.                 if ($callable[0] instanceof Reference
  966.                     || ($callable[0] instanceof Definition && $this->definitionVariables->contains($callable[0]))) {
  967.                     return $return.sprintf('%s->%s(%s)'$this->dumpValue($callable[0]), $callable[1], $arguments implode(', '$arguments) : '').$tail;
  968.                 }
  969.                 $class $this->dumpValue($callable[0]);
  970.                 // If the class is a string we can optimize away
  971.                 if (str_starts_with($class"'") && !str_contains($class'$')) {
  972.                     if ("''" === $class) {
  973.                         throw new RuntimeException(sprintf('Cannot dump definition: "%s" service is defined to be created by a factory but is missing the service reference, did you forget to define the factory service id or class?'$id 'The "'.$id.'"' 'inline'));
  974.                     }
  975.                     return $return.sprintf('%s::%s(%s)'$this->dumpLiteralClass($class), $callable[1], $arguments implode(', '$arguments) : '').$tail;
  976.                 }
  977.                 if (str_starts_with($class'new ')) {
  978.                     return $return.sprintf('(%s)->%s(%s)'$class$callable[1], $arguments implode(', '$arguments) : '').$tail;
  979.                 }
  980.                 return $return.sprintf("[%s, '%s'](%s)"$class$callable[1], $arguments implode(', '$arguments) : '').$tail;
  981.             }
  982.             return $return.sprintf('%s(%s)'$this->dumpLiteralClass($this->dumpValue($callable)), $arguments implode(', '$arguments) : '').$tail;
  983.         }
  984.         if (null === $class $definition->getClass()) {
  985.             throw new RuntimeException('Cannot dump definitions which have no class nor factory.');
  986.         }
  987.         return $return.sprintf('new %s(%s)'$this->dumpLiteralClass($this->dumpValue($class)), implode(', '$arguments)).$tail;
  988.     }
  989.     private function startClass(string $classstring $baseClassbool $hasProxyClasses): string
  990.     {
  991.         $namespaceLine = !$this->asFiles && $this->namespace "\nnamespace {$this->namespace};\n" '';
  992.         $code = <<<EOF
  993. <?php
  994. $namespaceLine
  995. use Symfony\Component\DependencyInjection\Argument\RewindableGenerator;
  996. use Symfony\Component\DependencyInjection\ContainerInterface;
  997. use Symfony\Component\DependencyInjection\Container;
  998. use Symfony\Component\DependencyInjection\Exception\InvalidArgumentException;
  999. use Symfony\Component\DependencyInjection\Exception\LogicException;
  1000. use Symfony\Component\DependencyInjection\Exception\RuntimeException;
  1001. use Symfony\Component\DependencyInjection\ParameterBag\FrozenParameterBag;
  1002. use Symfony\Component\DependencyInjection\ParameterBag\ParameterBagInterface;
  1003. /*{$this->docStar}
  1004.  * @internal This class has been auto-generated by the Symfony Dependency Injection Component.
  1005.  */
  1006. class $class extends $baseClass
  1007. {
  1008.     protected \$parameters = [];
  1009.     public function __construct()
  1010.     {
  1011. EOF;
  1012.         if ($this->asFiles) {
  1013.             $code str_replace('$parameters = []'"\$containerDir;\n    protected \$parameters = [];\n    private \$buildParameters"$code);
  1014.             $code str_replace('__construct()''__construct(array $buildParameters = [], $containerDir = __DIR__)'$code);
  1015.             $code .= "        \$this->buildParameters = \$buildParameters;\n";
  1016.             $code .= "        \$this->containerDir = \$containerDir;\n";
  1017.             if (null !== $this->targetDirRegex) {
  1018.                 $code str_replace('$parameters = []'"\$targetDir;\n    protected \$parameters = []"$code);
  1019.                 $code .= '        $this->targetDir = \\dirname($containerDir);'."\n";
  1020.             }
  1021.         }
  1022.         if (Container::class !== $this->baseClass) {
  1023.             $r $this->container->getReflectionClass($this->baseClassfalse);
  1024.             if (null !== $r
  1025.                 && (null !== $constructor $r->getConstructor())
  1026.                 && === $constructor->getNumberOfRequiredParameters()
  1027.                 && Container::class !== $constructor->getDeclaringClass()->name
  1028.             ) {
  1029.                 $code .= "        parent::__construct();\n";
  1030.                 $code .= "        \$this->parameterBag = null;\n\n";
  1031.             }
  1032.         }
  1033.         if ($this->container->getParameterBag()->all()) {
  1034.             $code .= "        \$this->parameters = \$this->getDefaultParameters();\n\n";
  1035.         }
  1036.         $code .= "        \$this->services = \$this->privates = [];\n";
  1037.         $code .= $this->addSyntheticIds();
  1038.         $code .= $this->addMethodMap();
  1039.         $code .= $this->asFiles && !$this->inlineFactories $this->addFileMap() : '';
  1040.         $code .= $this->addAliases();
  1041.         $code .= $this->addInlineRequires($hasProxyClasses);
  1042.         $code .= <<<EOF
  1043.     }
  1044.     public function compile(): void
  1045.     {
  1046.         throw new LogicException('You cannot compile a dumped container that was already compiled.');
  1047.     }
  1048.     public function isCompiled(): bool
  1049.     {
  1050.         return true;
  1051.     }
  1052. EOF;
  1053.         $code .= $this->addRemovedIds();
  1054.         if ($this->asFiles && !$this->inlineFactories) {
  1055.             $code .= <<<'EOF'
  1056.     protected function load($file, $lazyLoad = true)
  1057.     {
  1058.         if (class_exists($class = __NAMESPACE__.'\\'.$file, false)) {
  1059.             return $class::do($this, $lazyLoad);
  1060.         }
  1061.         if ('.' === $file[-4]) {
  1062.             $class = substr($class, 0, -4);
  1063.         } else {
  1064.             $file .= '.php';
  1065.         }
  1066.         $service = require $this->containerDir.\DIRECTORY_SEPARATOR.$file;
  1067.         return class_exists($class, false) ? $class::do($this, $lazyLoad) : $service;
  1068.     }
  1069. EOF;
  1070.         }
  1071.         $proxyDumper $this->getProxyDumper();
  1072.         foreach ($this->container->getDefinitions() as $definition) {
  1073.             if (!$proxyDumper->isProxyCandidate($definition)) {
  1074.                 continue;
  1075.             }
  1076.             if ($this->asFiles && !$this->inlineFactories) {
  1077.                 $proxyLoader "class_exists(\$class, false) || require __DIR__.'/'.\$class.'.php';\n\n        ";
  1078.             } else {
  1079.                 $proxyLoader '';
  1080.             }
  1081.             $code .= <<<EOF
  1082.     protected function createProxy(\$class, \Closure \$factory)
  1083.     {
  1084.         {$proxyLoader}return \$factory();
  1085.     }
  1086. EOF;
  1087.             break;
  1088.         }
  1089.         return $code;
  1090.     }
  1091.     private function addSyntheticIds(): string
  1092.     {
  1093.         $code '';
  1094.         $definitions $this->container->getDefinitions();
  1095.         ksort($definitions);
  1096.         foreach ($definitions as $id => $definition) {
  1097.             if ($definition->isSynthetic() && 'service_container' !== $id) {
  1098.                 $code .= '            '.$this->doExport($id)." => true,\n";
  1099.             }
  1100.         }
  1101.         return $code "        \$this->syntheticIds = [\n{$code}        ];\n" '';
  1102.     }
  1103.     private function addRemovedIds(): string
  1104.     {
  1105.         $ids $this->container->getRemovedIds();
  1106.         foreach ($this->container->getDefinitions() as $id => $definition) {
  1107.             if (!$definition->isPublic()) {
  1108.                 $ids[$id] = true;
  1109.             }
  1110.         }
  1111.         if (!$ids) {
  1112.             return '';
  1113.         }
  1114.         if ($this->asFiles) {
  1115.             $code "require \$this->containerDir.\\DIRECTORY_SEPARATOR.'removed-ids.php'";
  1116.         } else {
  1117.             $code '';
  1118.             $ids array_keys($ids);
  1119.             sort($ids);
  1120.             foreach ($ids as $id) {
  1121.                 if (preg_match(FileLoader::ANONYMOUS_ID_REGEXP$id)) {
  1122.                     continue;
  1123.                 }
  1124.                 $code .= '            '.$this->doExport($id)." => true,\n";
  1125.             }
  1126.             $code "[\n{$code}        ]";
  1127.         }
  1128.         return <<<EOF
  1129.     public function getRemovedIds(): array
  1130.     {
  1131.         return {$code};
  1132.     }
  1133. EOF;
  1134.     }
  1135.     private function addMethodMap(): string
  1136.     {
  1137.         $code '';
  1138.         $definitions $this->container->getDefinitions();
  1139.         ksort($definitions);
  1140.         foreach ($definitions as $id => $definition) {
  1141.             if (!$definition->isSynthetic() && $definition->isPublic() && (!$this->asFiles || $this->inlineFactories || $this->isHotPath($definition))) {
  1142.                 $code .= '            '.$this->doExport($id).' => '.$this->doExport($this->generateMethodName($id)).",\n";
  1143.             }
  1144.         }
  1145.         $aliases $this->container->getAliases();
  1146.         foreach ($aliases as $alias => $id) {
  1147.             if (!$id->isDeprecated()) {
  1148.                 continue;
  1149.             }
  1150.             $code .= '            '.$this->doExport($alias).' => '.$this->doExport($this->generateMethodName($alias)).",\n";
  1151.         }
  1152.         return $code "        \$this->methodMap = [\n{$code}        ];\n" '';
  1153.     }
  1154.     private function addFileMap(): string
  1155.     {
  1156.         $code '';
  1157.         $definitions $this->container->getDefinitions();
  1158.         ksort($definitions);
  1159.         foreach ($definitions as $id => $definition) {
  1160.             if (!$definition->isSynthetic() && $definition->isPublic() && !$this->isHotPath($definition)) {
  1161.                 $code .= sprintf("            %s => '%s',\n"$this->doExport($id), $this->generateMethodName($id));
  1162.             }
  1163.         }
  1164.         return $code "        \$this->fileMap = [\n{$code}        ];\n" '';
  1165.     }
  1166.     private function addAliases(): string
  1167.     {
  1168.         if (!$aliases $this->container->getAliases()) {
  1169.             return "\n        \$this->aliases = [];\n";
  1170.         }
  1171.         $code "        \$this->aliases = [\n";
  1172.         ksort($aliases);
  1173.         foreach ($aliases as $alias => $id) {
  1174.             if ($id->isDeprecated()) {
  1175.                 continue;
  1176.             }
  1177.             $id = (string) $id;
  1178.             while (isset($aliases[$id])) {
  1179.                 $id = (string) $aliases[$id];
  1180.             }
  1181.             $code .= '            '.$this->doExport($alias).' => '.$this->doExport($id).",\n";
  1182.         }
  1183.         return $code."        ];\n";
  1184.     }
  1185.     private function addDeprecatedAliases(): string
  1186.     {
  1187.         $code '';
  1188.         $aliases $this->container->getAliases();
  1189.         foreach ($aliases as $alias => $definition) {
  1190.             if (!$definition->isDeprecated()) {
  1191.                 continue;
  1192.             }
  1193.             $public $definition->isPublic() ? 'public' 'private';
  1194.             $id = (string) $definition;
  1195.             $methodNameAlias $this->generateMethodName($alias);
  1196.             $idExported $this->export($id);
  1197.             $deprecation $definition->getDeprecation($alias);
  1198.             $packageExported $this->export($deprecation['package']);
  1199.             $versionExported $this->export($deprecation['version']);
  1200.             $messageExported $this->export($deprecation['message']);
  1201.             $code .= <<<EOF
  1202.     /*{$this->docStar}
  1203.      * Gets the $public '$alias' alias.
  1204.      *
  1205.      * @return object The "$id" service.
  1206.      */
  1207.     protected function {$methodNameAlias}()
  1208.     {
  1209.         trigger_deprecation($packageExported$versionExported$messageExported);
  1210.         return \$this->get($idExported);
  1211.     }
  1212. EOF;
  1213.         }
  1214.         return $code;
  1215.     }
  1216.     private function addInlineRequires(bool $hasProxyClasses): string
  1217.     {
  1218.         $lineage = [];
  1219.         $hotPathServices $this->hotPathTag && $this->inlineRequires $this->container->findTaggedServiceIds($this->hotPathTag) : [];
  1220.         foreach ($hotPathServices as $id => $tags) {
  1221.             $definition $this->container->getDefinition($id);
  1222.             if ($this->getProxyDumper()->isProxyCandidate($definition)) {
  1223.                 continue;
  1224.             }
  1225.             $inlinedDefinitions $this->getDefinitionsFromArguments([$definition]);
  1226.             foreach ($inlinedDefinitions as $def) {
  1227.                 foreach ($this->getClasses($def$id) as $class) {
  1228.                     $this->collectLineage($class$lineage);
  1229.                 }
  1230.             }
  1231.         }
  1232.         $code '';
  1233.         foreach ($lineage as $file) {
  1234.             if (!isset($this->inlinedRequires[$file])) {
  1235.                 $this->inlinedRequires[$file] = true;
  1236.                 $code .= sprintf("\n            include_once %s;"$file);
  1237.             }
  1238.         }
  1239.         if ($hasProxyClasses) {
  1240.             $code .= "\n            include_once __DIR__.'/proxy-classes.php';";
  1241.         }
  1242.         return $code sprintf("\n        \$this->privates['service_container'] = function () {%s\n        };\n"$code) : '';
  1243.     }
  1244.     private function addDefaultParametersMethod(): string
  1245.     {
  1246.         if (!$this->container->getParameterBag()->all()) {
  1247.             return '';
  1248.         }
  1249.         $php = [];
  1250.         $dynamicPhp = [];
  1251.         foreach ($this->container->getParameterBag()->all() as $key => $value) {
  1252.             if ($key !== $resolvedKey $this->container->resolveEnvPlaceholders($key)) {
  1253.                 throw new InvalidArgumentException(sprintf('Parameter name cannot use env parameters: "%s".'$resolvedKey));
  1254.             }
  1255.             $hasEnum false;
  1256.             $export $this->exportParameters([$value], ''12$hasEnum);
  1257.             $export explode('0 => 'substr(rtrim($export" ]\n"), 2, -1), 2);
  1258.             if ($hasEnum || preg_match("/\\\$this->(?:getEnv\('(?:[-.\w]*+:)*+\w++'\)|targetDir\.'')/"$export[1])) {
  1259.                 $dynamicPhp[$key] = sprintf('%scase %s: $value = %s; break;'$export[0], $this->export($key), $export[1]);
  1260.             } else {
  1261.                 $php[] = sprintf('%s%s => %s,'$export[0], $this->export($key), $export[1]);
  1262.             }
  1263.         }
  1264.         $parameters sprintf("[\n%s\n%s]"implode("\n"$php), str_repeat(' '8));
  1265.         $code = <<<'EOF'
  1266.     /**
  1267.      * @return array|bool|float|int|string|\UnitEnum|null
  1268.      */
  1269.     public function getParameter(string $name)
  1270.     {
  1271.         if (isset($this->buildParameters[$name])) {
  1272.             return $this->buildParameters[$name];
  1273.         }
  1274.         if (!(isset($this->parameters[$name]) || isset($this->loadedDynamicParameters[$name]) || \array_key_exists($name, $this->parameters))) {
  1275.             throw new InvalidArgumentException(sprintf('The parameter "%s" must be defined.', $name));
  1276.         }
  1277.         if (isset($this->loadedDynamicParameters[$name])) {
  1278.             return $this->loadedDynamicParameters[$name] ? $this->dynamicParameters[$name] : $this->getDynamicParameter($name);
  1279.         }
  1280.         return $this->parameters[$name];
  1281.     }
  1282.     public function hasParameter(string $name): bool
  1283.     {
  1284.         if (isset($this->buildParameters[$name])) {
  1285.             return true;
  1286.         }
  1287.         return isset($this->parameters[$name]) || isset($this->loadedDynamicParameters[$name]) || \array_key_exists($name, $this->parameters);
  1288.     }
  1289.     public function setParameter(string $name, $value): void
  1290.     {
  1291.         throw new LogicException('Impossible to call set() on a frozen ParameterBag.');
  1292.     }
  1293.     public function getParameterBag(): ParameterBagInterface
  1294.     {
  1295.         if (null === $this->parameterBag) {
  1296.             $parameters = $this->parameters;
  1297.             foreach ($this->loadedDynamicParameters as $name => $loaded) {
  1298.                 $parameters[$name] = $loaded ? $this->dynamicParameters[$name] : $this->getDynamicParameter($name);
  1299.             }
  1300.             foreach ($this->buildParameters as $name => $value) {
  1301.                 $parameters[$name] = $value;
  1302.             }
  1303.             $this->parameterBag = new FrozenParameterBag($parameters);
  1304.         }
  1305.         return $this->parameterBag;
  1306.     }
  1307. EOF;
  1308.         if (!$this->asFiles) {
  1309.             $code preg_replace('/^.*buildParameters.*\n.*\n.*\n\n?/m'''$code);
  1310.         }
  1311.         if ($dynamicPhp) {
  1312.             $loadedDynamicParameters $this->exportParameters(array_combine(array_keys($dynamicPhp), array_fill(0\count($dynamicPhp), false)), ''8);
  1313.             $getDynamicParameter = <<<'EOF'
  1314.         switch ($name) {
  1315. %s
  1316.             default: throw new InvalidArgumentException(sprintf('The dynamic parameter "%%s" must be defined.', $name));
  1317.         }
  1318.         $this->loadedDynamicParameters[$name] = true;
  1319.         return $this->dynamicParameters[$name] = $value;
  1320. EOF;
  1321.             $getDynamicParameter sprintf($getDynamicParameterimplode("\n"$dynamicPhp));
  1322.         } else {
  1323.             $loadedDynamicParameters '[]';
  1324.             $getDynamicParameter str_repeat(' '8).'throw new InvalidArgumentException(sprintf(\'The dynamic parameter "%s" must be defined.\', $name));';
  1325.         }
  1326.         $code .= <<<EOF
  1327.     private \$loadedDynamicParameters = {$loadedDynamicParameters};
  1328.     private \$dynamicParameters = [];
  1329.     private function getDynamicParameter(string \$name)
  1330.     {
  1331. {$getDynamicParameter}
  1332.     }
  1333.     protected function getDefaultParameters(): array
  1334.     {
  1335.         return $parameters;
  1336.     }
  1337. EOF;
  1338.         return $code;
  1339.     }
  1340.     /**
  1341.      * @throws InvalidArgumentException
  1342.      */
  1343.     private function exportParameters(array $parametersstring $path ''int $indent 12bool &$hasEnum false): string
  1344.     {
  1345.         $php = [];
  1346.         foreach ($parameters as $key => $value) {
  1347.             if (\is_array($value)) {
  1348.                 $value $this->exportParameters($value$path.'/'.$key$indent 4$hasEnum);
  1349.             } elseif ($value instanceof ArgumentInterface) {
  1350.                 throw new InvalidArgumentException(sprintf('You cannot dump a container with parameters that contain special arguments. "%s" found in "%s".'get_debug_type($value), $path.'/'.$key));
  1351.             } elseif ($value instanceof Variable) {
  1352.                 throw new InvalidArgumentException(sprintf('You cannot dump a container with parameters that contain variable references. Variable "%s" found in "%s".'$value$path.'/'.$key));
  1353.             } elseif ($value instanceof Definition) {
  1354.                 throw new InvalidArgumentException(sprintf('You cannot dump a container with parameters that contain service definitions. Definition for "%s" found in "%s".'$value->getClass(), $path.'/'.$key));
  1355.             } elseif ($value instanceof Reference) {
  1356.                 throw new InvalidArgumentException(sprintf('You cannot dump a container with parameters that contain references to other services (reference to service "%s" found in "%s").'$value$path.'/'.$key));
  1357.             } elseif ($value instanceof Expression) {
  1358.                 throw new InvalidArgumentException(sprintf('You cannot dump a container with parameters that contain expressions. Expression "%s" found in "%s".'$value$path.'/'.$key));
  1359.             } elseif ($value instanceof \UnitEnum) {
  1360.                 $hasEnum true;
  1361.                 $value sprintf('\%s::%s'\get_class($value), $value->name);
  1362.             } else {
  1363.                 $value $this->export($value);
  1364.             }
  1365.             $php[] = sprintf('%s%s => %s,'str_repeat(' '$indent), $this->export($key), $value);
  1366.         }
  1367.         return sprintf("[\n%s\n%s]"implode("\n"$php), str_repeat(' '$indent 4));
  1368.     }
  1369.     private function endClass(): string
  1370.     {
  1371.         if ($this->addThrow) {
  1372.             return <<<'EOF'
  1373.     protected function throw($message)
  1374.     {
  1375.         throw new RuntimeException($message);
  1376.     }
  1377. }
  1378. EOF;
  1379.         }
  1380.         return <<<'EOF'
  1381. }
  1382. EOF;
  1383.     }
  1384.     private function wrapServiceConditionals($valuestring $code): string
  1385.     {
  1386.         if (!$condition $this->getServiceConditionals($value)) {
  1387.             return $code;
  1388.         }
  1389.         // re-indent the wrapped code
  1390.         $code implode("\n"array_map(function ($line) { return $line '    '.$line $line; }, explode("\n"$code)));
  1391.         return sprintf("        if (%s) {\n%s        }\n"$condition$code);
  1392.     }
  1393.     private function getServiceConditionals($value): string
  1394.     {
  1395.         $conditions = [];
  1396.         foreach (ContainerBuilder::getInitializedConditionals($value) as $service) {
  1397.             if (!$this->container->hasDefinition($service)) {
  1398.                 return 'false';
  1399.             }
  1400.             $conditions[] = sprintf('isset($this->%s[%s])'$this->container->getDefinition($service)->isPublic() ? 'services' 'privates'$this->doExport($service));
  1401.         }
  1402.         foreach (ContainerBuilder::getServiceConditionals($value) as $service) {
  1403.             if ($this->container->hasDefinition($service) && !$this->container->getDefinition($service)->isPublic()) {
  1404.                 continue;
  1405.             }
  1406.             $conditions[] = sprintf('$this->has(%s)'$this->doExport($service));
  1407.         }
  1408.         if (!$conditions) {
  1409.             return '';
  1410.         }
  1411.         return implode(' && '$conditions);
  1412.     }
  1413.     private function getDefinitionsFromArguments(array $arguments\SplObjectStorage $definitions null, array &$calls = [], bool $byConstructor null): \SplObjectStorage
  1414.     {
  1415.         if (null === $definitions) {
  1416.             $definitions = new \SplObjectStorage();
  1417.         }
  1418.         foreach ($arguments as $argument) {
  1419.             if (\is_array($argument)) {
  1420.                 $this->getDefinitionsFromArguments($argument$definitions$calls$byConstructor);
  1421.             } elseif ($argument instanceof Reference) {
  1422.                 $id = (string) $argument;
  1423.                 while ($this->container->hasAlias($id)) {
  1424.                     $id = (string) $this->container->getAlias($id);
  1425.                 }
  1426.                 if (!isset($calls[$id])) {
  1427.                     $calls[$id] = [0$argument->getInvalidBehavior(), $byConstructor];
  1428.                 } else {
  1429.                     $calls[$id][1] = min($calls[$id][1], $argument->getInvalidBehavior());
  1430.                 }
  1431.                 ++$calls[$id][0];
  1432.             } elseif (!$argument instanceof Definition) {
  1433.                 // no-op
  1434.             } elseif (isset($definitions[$argument])) {
  1435.                 $definitions[$argument] = $definitions[$argument];
  1436.             } else {
  1437.                 $definitions[$argument] = 1;
  1438.                 $arguments = [$argument->getArguments(), $argument->getFactory()];
  1439.                 $this->getDefinitionsFromArguments($arguments$definitions$callsnull === $byConstructor || $byConstructor);
  1440.                 $arguments = [$argument->getProperties(), $argument->getMethodCalls(), $argument->getConfigurator()];
  1441.                 $this->getDefinitionsFromArguments($arguments$definitions$callsnull !== $byConstructor && $byConstructor);
  1442.             }
  1443.         }
  1444.         return $definitions;
  1445.     }
  1446.     /**
  1447.      * @throws RuntimeException
  1448.      */
  1449.     private function dumpValue($valuebool $interpolate true): string
  1450.     {
  1451.         if (\is_array($value)) {
  1452.             if ($value && $interpolate && false !== $param array_search($value$this->container->getParameterBag()->all(), true)) {
  1453.                 return $this->dumpValue("%$param%");
  1454.             }
  1455.             $code = [];
  1456.             foreach ($value as $k => $v) {
  1457.                 $code[] = sprintf('%s => %s'$this->dumpValue($k$interpolate), $this->dumpValue($v$interpolate));
  1458.             }
  1459.             return sprintf('[%s]'implode(', '$code));
  1460.         } elseif ($value instanceof ArgumentInterface) {
  1461.             $scope = [$this->definitionVariables$this->referenceVariables];
  1462.             $this->definitionVariables $this->referenceVariables null;
  1463.             try {
  1464.                 if ($value instanceof ServiceClosureArgument) {
  1465.                     $value $value->getValues()[0];
  1466.                     $code $this->dumpValue($value$interpolate);
  1467.                     $returnedType '';
  1468.                     if ($value instanceof TypedReference) {
  1469.                         $returnedType sprintf(': %s\%s'ContainerInterface::EXCEPTION_ON_INVALID_REFERENCE >= $value->getInvalidBehavior() ? '' '?'str_replace(['|''&'], ['|\\''&\\'], $value->getType()));
  1470.                     }
  1471.                     $code sprintf('return %s;'$code);
  1472.                     return sprintf("function ()%s {\n            %s\n        }"$returnedType$code);
  1473.                 }
  1474.                 if ($value instanceof IteratorArgument) {
  1475.                     $operands = [0];
  1476.                     $code = [];
  1477.                     $code[] = 'new RewindableGenerator(function () {';
  1478.                     if (!$values $value->getValues()) {
  1479.                         $code[] = '            return new \EmptyIterator();';
  1480.                     } else {
  1481.                         $countCode = [];
  1482.                         $countCode[] = 'function () {';
  1483.                         foreach ($values as $k => $v) {
  1484.                             ($c $this->getServiceConditionals($v)) ? $operands[] = "(int) ($c)" : ++$operands[0];
  1485.                             $v $this->wrapServiceConditionals($vsprintf("        yield %s => %s;\n"$this->dumpValue($k$interpolate), $this->dumpValue($v$interpolate)));
  1486.                             foreach (explode("\n"$v) as $v) {
  1487.                                 if ($v) {
  1488.                                     $code[] = '    '.$v;
  1489.                                 }
  1490.                             }
  1491.                         }
  1492.                         $countCode[] = sprintf('            return %s;'implode(' + '$operands));
  1493.                         $countCode[] = '        }';
  1494.                     }
  1495.                     $code[] = sprintf('        }, %s)'\count($operands) > implode("\n"$countCode) : $operands[0]);
  1496.                     return implode("\n"$code);
  1497.                 }
  1498.                 if ($value instanceof ServiceLocatorArgument) {
  1499.                     $serviceMap '';
  1500.                     $serviceTypes '';
  1501.                     foreach ($value->getValues() as $k => $v) {
  1502.                         if (!$v) {
  1503.                             continue;
  1504.                         }
  1505.                         $id = (string) $v;
  1506.                         while ($this->container->hasAlias($id)) {
  1507.                             $id = (string) $this->container->getAlias($id);
  1508.                         }
  1509.                         $definition $this->container->getDefinition($id);
  1510.                         $load = !($definition->hasErrors() && $e $definition->getErrors()) ? $this->asFiles && !$this->inlineFactories && !$this->isHotPath($definition) : reset($e);
  1511.                         $serviceMap .= sprintf("\n            %s => [%s, %s, %s, %s],",
  1512.                             $this->export($k),
  1513.                             $this->export($definition->isShared() ? ($definition->isPublic() ? 'services' 'privates') : false),
  1514.                             $this->doExport($id),
  1515.                             $this->export(ContainerInterface::IGNORE_ON_UNINITIALIZED_REFERENCE !== $v->getInvalidBehavior() && !\is_string($load) ? $this->generateMethodName($id) : null),
  1516.                             $this->export($load)
  1517.                         );
  1518.                         $serviceTypes .= sprintf("\n            %s => %s,"$this->export($k), $this->export($v instanceof TypedReference $v->getType() : '?'));
  1519.                         $this->locatedIds[$id] = true;
  1520.                     }
  1521.                     $this->addGetService true;
  1522.                     return sprintf('new \%s($this->getService, [%s%s], [%s%s])'ServiceLocator::class, $serviceMap$serviceMap "\n        " ''$serviceTypes$serviceTypes "\n        " '');
  1523.                 }
  1524.             } finally {
  1525.                 [$this->definitionVariables$this->referenceVariables] = $scope;
  1526.             }
  1527.         } elseif ($value instanceof Definition) {
  1528.             if ($value->hasErrors() && $e $value->getErrors()) {
  1529.                 $this->addThrow true;
  1530.                 return sprintf('$this->throw(%s)'$this->export(reset($e)));
  1531.             }
  1532.             if (null !== $this->definitionVariables && $this->definitionVariables->contains($value)) {
  1533.                 return $this->dumpValue($this->definitionVariables[$value], $interpolate);
  1534.             }
  1535.             if ($value->getMethodCalls()) {
  1536.                 throw new RuntimeException('Cannot dump definitions which have method calls.');
  1537.             }
  1538.             if ($value->getProperties()) {
  1539.                 throw new RuntimeException('Cannot dump definitions which have properties.');
  1540.             }
  1541.             if (null !== $value->getConfigurator()) {
  1542.                 throw new RuntimeException('Cannot dump definitions which have a configurator.');
  1543.             }
  1544.             return $this->addNewInstance($value);
  1545.         } elseif ($value instanceof Variable) {
  1546.             return '$'.$value;
  1547.         } elseif ($value instanceof Reference) {
  1548.             $id = (string) $value;
  1549.             while ($this->container->hasAlias($id)) {
  1550.                 $id = (string) $this->container->getAlias($id);
  1551.             }
  1552.             if (null !== $this->referenceVariables && isset($this->referenceVariables[$id])) {
  1553.                 return $this->dumpValue($this->referenceVariables[$id], $interpolate);
  1554.             }
  1555.             return $this->getServiceCall($id$value);
  1556.         } elseif ($value instanceof Expression) {
  1557.             return $this->getExpressionLanguage()->compile((string) $value, ['this' => 'container']);
  1558.         } elseif ($value instanceof Parameter) {
  1559.             return $this->dumpParameter($value);
  1560.         } elseif (true === $interpolate && \is_string($value)) {
  1561.             if (preg_match('/^%([^%]+)%$/'$value$match)) {
  1562.                 // we do this to deal with non string values (Boolean, integer, ...)
  1563.                 // the preg_replace_callback converts them to strings
  1564.                 return $this->dumpParameter($match[1]);
  1565.             } else {
  1566.                 $replaceParameters = function ($match) {
  1567.                     return "'.".$this->dumpParameter($match[2]).".'";
  1568.                 };
  1569.                 $code str_replace('%%''%'preg_replace_callback('/(?<!%)(%)([^%]+)\1/'$replaceParameters$this->export($value)));
  1570.                 return $code;
  1571.             }
  1572.         } elseif ($value instanceof \UnitEnum) {
  1573.             return sprintf('\%s::%s'\get_class($value), $value->name);
  1574.         } elseif ($value instanceof AbstractArgument) {
  1575.             throw new RuntimeException($value->getTextWithContext());
  1576.         } elseif (\is_object($value) || \is_resource($value)) {
  1577.             throw new RuntimeException('Unable to dump a service container if a parameter is an object or a resource.');
  1578.         }
  1579.         return $this->export($value);
  1580.     }
  1581.     /**
  1582.      * Dumps a string to a literal (aka PHP Code) class value.
  1583.      *
  1584.      * @throws RuntimeException
  1585.      */
  1586.     private function dumpLiteralClass(string $class): string
  1587.     {
  1588.         if (str_contains($class'$')) {
  1589.             return sprintf('${($_ = %s) && false ?: "_"}'$class);
  1590.         }
  1591.         if (!str_starts_with($class"'") || !preg_match('/^\'(?:\\\{2})?[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*(?:\\\{2}[a-zA-Z_\x7f-\xff][a-zA-Z0-9_\x7f-\xff]*)*\'$/'$class)) {
  1592.             throw new RuntimeException(sprintf('Cannot dump definition because of invalid class name (%s).'$class ?: 'n/a'));
  1593.         }
  1594.         $class substr(str_replace('\\\\''\\'$class), 1, -1);
  1595.         return str_starts_with($class'\\') ? $class '\\'.$class;
  1596.     }
  1597.     private function dumpParameter(string $name): string
  1598.     {
  1599.         if ($this->container->hasParameter($name)) {
  1600.             $value $this->container->getParameter($name);
  1601.             $dumpedValue $this->dumpValue($valuefalse);
  1602.             if (!$value || !\is_array($value)) {
  1603.                 return $dumpedValue;
  1604.             }
  1605.             if (!preg_match("/\\\$this->(?:getEnv\('(?:[-.\w]*+:)*+\w++'\)|targetDir\.'')/"$dumpedValue)) {
  1606.                 return sprintf('$this->parameters[%s]'$this->doExport($name));
  1607.             }
  1608.         }
  1609.         return sprintf('$this->getParameter(%s)'$this->doExport($name));
  1610.     }
  1611.     private function getServiceCall(string $idReference $reference null): string
  1612.     {
  1613.         while ($this->container->hasAlias($id)) {
  1614.             $id = (string) $this->container->getAlias($id);
  1615.         }
  1616.         if ('service_container' === $id) {
  1617.             return '$this';
  1618.         }
  1619.         if ($this->container->hasDefinition($id) && $definition $this->container->getDefinition($id)) {
  1620.             if ($definition->isSynthetic()) {
  1621.                 $code sprintf('$this->get(%s%s)'$this->doExport($id), null !== $reference ', '.$reference->getInvalidBehavior() : '');
  1622.             } elseif (null !== $reference && ContainerInterface::IGNORE_ON_UNINITIALIZED_REFERENCE === $reference->getInvalidBehavior()) {
  1623.                 $code 'null';
  1624.                 if (!$definition->isShared()) {
  1625.                     return $code;
  1626.                 }
  1627.             } elseif ($this->isTrivialInstance($definition)) {
  1628.                 if ($definition->hasErrors() && $e $definition->getErrors()) {
  1629.                     $this->addThrow true;
  1630.                     return sprintf('$this->throw(%s)'$this->export(reset($e)));
  1631.                 }
  1632.                 $code $this->addNewInstance($definition''$id);
  1633.                 if ($definition->isShared() && !isset($this->singleUsePrivateIds[$id])) {
  1634.                     $code sprintf('$this->%s[%s] = %s'$definition->isPublic() ? 'services' 'privates'$this->doExport($id), $code);
  1635.                 }
  1636.                 $code "($code)";
  1637.             } else {
  1638.                 $code $this->asFiles && !$this->inlineFactories && !$this->isHotPath($definition) ? "\$this->load('%s')" '$this->%s()';
  1639.                 $code sprintf($code$this->generateMethodName($id));
  1640.                 if (!$definition->isShared()) {
  1641.                     $factory sprintf('$this->factories%s[%s]'$definition->isPublic() ? '' "['service_container']"$this->doExport($id));
  1642.                     $code sprintf('(isset(%s) ? %1$s() : %s)'$factory$code);
  1643.                 }
  1644.             }
  1645.             if ($definition->isShared() && !isset($this->singleUsePrivateIds[$id])) {
  1646.                 $code sprintf('($this->%s[%s] ?? %s)'$definition->isPublic() ? 'services' 'privates'$this->doExport($id), $code);
  1647.             }
  1648.             return $code;
  1649.         }
  1650.         if (null !== $reference && ContainerInterface::IGNORE_ON_UNINITIALIZED_REFERENCE === $reference->getInvalidBehavior()) {
  1651.             return 'null';
  1652.         }
  1653.         if (null !== $reference && ContainerInterface::EXCEPTION_ON_INVALID_REFERENCE $reference->getInvalidBehavior()) {
  1654.             $code sprintf('$this->get(%s, /* ContainerInterface::NULL_ON_INVALID_REFERENCE */ %d)'$this->doExport($id), ContainerInterface::NULL_ON_INVALID_REFERENCE);
  1655.         } else {
  1656.             $code sprintf('$this->get(%s)'$this->doExport($id));
  1657.         }
  1658.         return sprintf('($this->services[%s] ?? %s)'$this->doExport($id), $code);
  1659.     }
  1660.     /**
  1661.      * Initializes the method names map to avoid conflicts with the Container methods.
  1662.      */
  1663.     private function initializeMethodNamesMap(string $class)
  1664.     {
  1665.         $this->serviceIdToMethodNameMap = [];
  1666.         $this->usedMethodNames = [];
  1667.         if ($reflectionClass $this->container->getReflectionClass($class)) {
  1668.             foreach ($reflectionClass->getMethods() as $method) {
  1669.                 $this->usedMethodNames[strtolower($method->getName())] = true;
  1670.             }
  1671.         }
  1672.     }
  1673.     /**
  1674.      * @throws InvalidArgumentException
  1675.      */
  1676.     private function generateMethodName(string $id): string
  1677.     {
  1678.         if (isset($this->serviceIdToMethodNameMap[$id])) {
  1679.             return $this->serviceIdToMethodNameMap[$id];
  1680.         }
  1681.         $i strrpos($id'\\');
  1682.         $name Container::camelize(false !== $i && isset($id[$i]) ? substr($id$i) : $id);
  1683.         $name preg_replace('/[^a-zA-Z0-9_\x7f-\xff]/'''$name);
  1684.         $methodName 'get'.$name.'Service';
  1685.         $suffix 1;
  1686.         while (isset($this->usedMethodNames[strtolower($methodName)])) {
  1687.             ++$suffix;
  1688.             $methodName 'get'.$name.$suffix.'Service';
  1689.         }
  1690.         $this->serviceIdToMethodNameMap[$id] = $methodName;
  1691.         $this->usedMethodNames[strtolower($methodName)] = true;
  1692.         return $methodName;
  1693.     }
  1694.     private function getNextVariableName(): string
  1695.     {
  1696.         $firstChars self::FIRST_CHARS;
  1697.         $firstCharsLength \strlen($firstChars);
  1698.         $nonFirstChars self::NON_FIRST_CHARS;
  1699.         $nonFirstCharsLength \strlen($nonFirstChars);
  1700.         while (true) {
  1701.             $name '';
  1702.             $i $this->variableCount;
  1703.             if ('' === $name) {
  1704.                 $name .= $firstChars[$i $firstCharsLength];
  1705.                 $i = (int) ($i $firstCharsLength);
  1706.             }
  1707.             while ($i 0) {
  1708.                 --$i;
  1709.                 $name .= $nonFirstChars[$i $nonFirstCharsLength];
  1710.                 $i = (int) ($i $nonFirstCharsLength);
  1711.             }
  1712.             ++$this->variableCount;
  1713.             // check that the name is not reserved
  1714.             if (\in_array($name$this->reservedVariablestrue)) {
  1715.                 continue;
  1716.             }
  1717.             return $name;
  1718.         }
  1719.     }
  1720.     private function getExpressionLanguage(): ExpressionLanguage
  1721.     {
  1722.         if (null === $this->expressionLanguage) {
  1723.             if (!class_exists(\Symfony\Component\ExpressionLanguage\ExpressionLanguage::class)) {
  1724.                 throw new LogicException('Unable to use expressions as the Symfony ExpressionLanguage component is not installed.');
  1725.             }
  1726.             $providers $this->container->getExpressionLanguageProviders();
  1727.             $this->expressionLanguage = new ExpressionLanguage(null$providers, function ($arg) {
  1728.                 $id '""' === substr_replace($arg''1, -1) ? stripcslashes(substr($arg1, -1)) : null;
  1729.                 if (null !== $id && ($this->container->hasAlias($id) || $this->container->hasDefinition($id))) {
  1730.                     return $this->getServiceCall($id);
  1731.                 }
  1732.                 return sprintf('$this->get(%s)'$arg);
  1733.             });
  1734.             if ($this->container->isTrackingResources()) {
  1735.                 foreach ($providers as $provider) {
  1736.                     $this->container->addObjectResource($provider);
  1737.                 }
  1738.             }
  1739.         }
  1740.         return $this->expressionLanguage;
  1741.     }
  1742.     private function isHotPath(Definition $definition): bool
  1743.     {
  1744.         return $this->hotPathTag && $definition->hasTag($this->hotPathTag) && !$definition->isDeprecated();
  1745.     }
  1746.     private function isSingleUsePrivateNode(ServiceReferenceGraphNode $node): bool
  1747.     {
  1748.         if ($node->getValue()->isPublic()) {
  1749.             return false;
  1750.         }
  1751.         $ids = [];
  1752.         foreach ($node->getInEdges() as $edge) {
  1753.             if (!$value $edge->getSourceNode()->getValue()) {
  1754.                 continue;
  1755.             }
  1756.             if ($edge->isLazy() || !$value instanceof Definition || !$value->isShared()) {
  1757.                 return false;
  1758.             }
  1759.             $ids[$edge->getSourceNode()->getId()] = true;
  1760.         }
  1761.         return === \count($ids);
  1762.     }
  1763.     /**
  1764.      * @return mixed
  1765.      */
  1766.     private function export($value)
  1767.     {
  1768.         if (null !== $this->targetDirRegex && \is_string($value) && preg_match($this->targetDirRegex$value$matches\PREG_OFFSET_CAPTURE)) {
  1769.             $suffix $matches[0][1] + \strlen($matches[0][0]);
  1770.             $matches[0][1] += \strlen($matches[1][0]);
  1771.             $prefix $matches[0][1] ? $this->doExport(substr($value0$matches[0][1]), true).'.' '';
  1772.             if ('\\' === \DIRECTORY_SEPARATOR && isset($value[$suffix])) {
  1773.                 $cookie '\\'.random_int(100000\PHP_INT_MAX);
  1774.                 $suffix '.'.$this->doExport(str_replace('\\'$cookiesubstr($value$suffix)), true);
  1775.                 $suffix str_replace('\\'.$cookie"'.\\DIRECTORY_SEPARATOR.'"$suffix);
  1776.             } else {
  1777.                 $suffix = isset($value[$suffix]) ? '.'.$this->doExport(substr($value$suffix), true) : '';
  1778.             }
  1779.             $dirname $this->asFiles '$this->containerDir' '__DIR__';
  1780.             $offset $this->targetDirMaxMatches \count($matches);
  1781.             if ($offset) {
  1782.                 $dirname sprintf('\dirname(__DIR__, %d)'$offset + (int) $this->asFiles);
  1783.             } elseif ($this->asFiles) {
  1784.                 $dirname "\$this->targetDir.''"// empty string concatenation on purpose
  1785.             }
  1786.             if ($prefix || $suffix) {
  1787.                 return sprintf('(%s%s%s)'$prefix$dirname$suffix);
  1788.             }
  1789.             return $dirname;
  1790.         }
  1791.         return $this->doExport($valuetrue);
  1792.     }
  1793.     /**
  1794.      * @return mixed
  1795.      */
  1796.     private function doExport($valuebool $resolveEnv false)
  1797.     {
  1798.         $shouldCacheValue $resolveEnv && \is_string($value);
  1799.         if ($shouldCacheValue && isset($this->exportedVariables[$value])) {
  1800.             return $this->exportedVariables[$value];
  1801.         }
  1802.         if (\is_string($value) && str_contains($value"\n")) {
  1803.             $cleanParts explode("\n"$value);
  1804.             $cleanParts array_map(function ($part) { return var_export($parttrue); }, $cleanParts);
  1805.             $export implode('."\n".'$cleanParts);
  1806.         } else {
  1807.             $export var_export($valuetrue);
  1808.         }
  1809.         if ($this->asFiles) {
  1810.             if (false !== strpos($export'$this')) {
  1811.                 $export str_replace('$this'"$'.'this"$export);
  1812.             }
  1813.             if (false !== strpos($export'function () {')) {
  1814.                 $export str_replace('function () {'"function ('.') {"$export);
  1815.             }
  1816.         }
  1817.         if ($resolveEnv && "'" === $export[0] && $export !== $resolvedExport $this->container->resolveEnvPlaceholders($export"'.\$this->getEnv('string:%s').'")) {
  1818.             $export $resolvedExport;
  1819.             if (str_ends_with($export".''")) {
  1820.                 $export substr($export0, -3);
  1821.                 if ("'" === $export[1]) {
  1822.                     $export substr_replace($export''187);
  1823.                 }
  1824.             }
  1825.             if ("'" === $export[1]) {
  1826.                 $export substr($export3);
  1827.             }
  1828.         }
  1829.         if ($shouldCacheValue) {
  1830.             $this->exportedVariables[$value] = $export;
  1831.         }
  1832.         return $export;
  1833.     }
  1834.     private function getAutoloadFile(): ?string
  1835.     {
  1836.         $file null;
  1837.         foreach (spl_autoload_functions() as $autoloader) {
  1838.             if (!\is_array($autoloader)) {
  1839.                 continue;
  1840.             }
  1841.             if ($autoloader[0] instanceof DebugClassLoader || $autoloader[0] instanceof LegacyDebugClassLoader) {
  1842.                 $autoloader $autoloader[0]->getClassLoader();
  1843.             }
  1844.             if (!\is_array($autoloader) || !$autoloader[0] instanceof ClassLoader || !$autoloader[0]->findFile(__CLASS__)) {
  1845.                 continue;
  1846.             }
  1847.             foreach (get_declared_classes() as $class) {
  1848.                 if (str_starts_with($class'ComposerAutoloaderInit') && $class::getLoader() === $autoloader[0]) {
  1849.                     $file \dirname((new \ReflectionClass($class))->getFileName(), 2).'/autoload.php';
  1850.                     if (null !== $this->targetDirRegex && preg_match($this->targetDirRegex.'A'$file)) {
  1851.                         return $file;
  1852.                     }
  1853.                 }
  1854.             }
  1855.         }
  1856.         return $file;
  1857.     }
  1858.     private function getClasses(Definition $definitionstring $id): array
  1859.     {
  1860.         $classes = [];
  1861.         while ($definition instanceof Definition) {
  1862.             foreach ($definition->getTag($this->preloadTags[0]) as $tag) {
  1863.                 if (!isset($tag['class'])) {
  1864.                     throw new InvalidArgumentException(sprintf('Missing attribute "class" on tag "%s" for service "%s".'$this->preloadTags[0], $id));
  1865.                 }
  1866.                 $classes[] = trim($tag['class'], '\\');
  1867.             }
  1868.             if ($class $definition->getClass()) {
  1869.                 $classes[] = trim($class'\\');
  1870.             }
  1871.             $factory $definition->getFactory();
  1872.             if (!\is_array($factory)) {
  1873.                 $factory = [$factory];
  1874.             }
  1875.             if (\is_string($factory[0])) {
  1876.                 if (false !== $i strrpos($factory[0], '::')) {
  1877.                     $factory[0] = substr($factory[0], 0$i);
  1878.                 }
  1879.                 $classes[] = trim($factory[0], '\\');
  1880.             }
  1881.             $definition $factory[0];
  1882.         }
  1883.         return $classes;
  1884.     }
  1885. }