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

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