vendor/contao/core-bundle/src/Resources/contao/library/Contao/Controller.php line 622

Open in your IDE?
  1. <?php
  2. /*
  3.  * This file is part of Contao.
  4.  *
  5.  * (c) Leo Feyer
  6.  *
  7.  * @license LGPL-3.0-or-later
  8.  */
  9. namespace Contao;
  10. use Contao\CoreBundle\Asset\ContaoContext;
  11. use Contao\CoreBundle\Exception\AccessDeniedException;
  12. use Contao\CoreBundle\Exception\AjaxRedirectResponseException;
  13. use Contao\CoreBundle\Exception\PageNotFoundException;
  14. use Contao\CoreBundle\Exception\RedirectResponseException;
  15. use Contao\CoreBundle\File\Metadata;
  16. use Contao\CoreBundle\Framework\ContaoFramework;
  17. use Contao\CoreBundle\Routing\Page\PageRoute;
  18. use Contao\CoreBundle\Security\ContaoCorePermissions;
  19. use Contao\CoreBundle\Twig\Inheritance\TemplateHierarchyInterface;
  20. use Contao\CoreBundle\Util\LocaleUtil;
  21. use Contao\Database\Result;
  22. use Contao\Image\PictureConfiguration;
  23. use Contao\Model\Collection;
  24. use Imagine\Image\BoxInterface;
  25. use Symfony\Cmf\Component\Routing\RouteObjectInterface;
  26. use Symfony\Component\Finder\Finder;
  27. use Symfony\Component\Finder\Glob;
  28. /**
  29.  * Abstract parent class for Controllers
  30.  *
  31.  * Some of the methods have been made static in Contao 3 and can be used in
  32.  * non-object context as well.
  33.  *
  34.  * Usage:
  35.  *
  36.  *     echo Controller::getTheme();
  37.  *
  38.  * Inside a controller:
  39.  *
  40.  *     public function generate()
  41.  *     {
  42.  *         return $this->getArticle(2);
  43.  *     }
  44.  */
  45. abstract class Controller extends System
  46. {
  47.     /**
  48.      * @var Template
  49.      *
  50.      * @todo: Add in Contao 5.0
  51.      */
  52.     //protected $Template;
  53.     /**
  54.      * @var array
  55.      */
  56.     protected static $arrQueryCache = array();
  57.     /**
  58.      * @var array
  59.      */
  60.     private static $arrOldBePathCache = array();
  61.     /**
  62.      * Find a particular template file and return its path
  63.      *
  64.      * @param string $strTemplate The name of the template
  65.      *
  66.      * @return string The path to the template file
  67.      *
  68.      * @throws \RuntimeException If the template group folder is insecure
  69.      */
  70.     public static function getTemplate($strTemplate)
  71.     {
  72.         $strTemplate basename($strTemplate);
  73.         $request System::getContainer()->get('request_stack')->getCurrentRequest();
  74.         // Check for a theme folder
  75.         if ($request && System::getContainer()->get('contao.routing.scope_matcher')->isFrontendRequest($request))
  76.         {
  77.             /** @var PageModel|null $objPage */
  78.             global $objPage;
  79.             if ($objPage->templateGroup ?? null)
  80.             {
  81.                 if (Validator::isInsecurePath($objPage->templateGroup))
  82.                 {
  83.                     throw new \RuntimeException('Invalid path ' $objPage->templateGroup);
  84.                 }
  85.                 return TemplateLoader::getPath($strTemplate'html5'$objPage->templateGroup);
  86.             }
  87.         }
  88.         return TemplateLoader::getPath($strTemplate'html5');
  89.     }
  90.     /**
  91.      * Return all template files of a particular group as array
  92.      *
  93.      * @param string $strPrefix           The template name prefix (e.g. "ce_")
  94.      * @param array  $arrAdditionalMapper An additional mapper array
  95.      * @param string $strDefaultTemplate  An optional default template
  96.      *
  97.      * @return array An array of template names
  98.      */
  99.     public static function getTemplateGroup($strPrefix, array $arrAdditionalMapper=array(), $strDefaultTemplate='')
  100.     {
  101.         if (str_contains($strPrefix'/') || str_contains($strDefaultTemplate'/'))
  102.         {
  103.             throw new \InvalidArgumentException(sprintf('Using %s() with modern fragment templates is not supported. Use the "contao.twig.finder_factory" service instead.'__METHOD__));
  104.         }
  105.         $arrTemplates = array();
  106.         $arrBundleTemplates = array();
  107.         $arrMapper array_merge
  108.         (
  109.             $arrAdditionalMapper,
  110.             array
  111.             (
  112.                 'ce' => array_keys(array_merge(...array_values($GLOBALS['TL_CTE']))),
  113.                 'form' => array_keys($GLOBALS['TL_FFL']),
  114.                 'mod' => array_keys(array_merge(...array_values($GLOBALS['FE_MOD']))),
  115.             )
  116.         );
  117.         // Add templates that are not directly associated with a form field
  118.         $arrMapper['form'][] = 'row';
  119.         $arrMapper['form'][] = 'row_double';
  120.         $arrMapper['form'][] = 'xml';
  121.         $arrMapper['form'][] = 'wrapper';
  122.         $arrMapper['form'][] = 'message';
  123.         $arrMapper['form'][] = 'textfield'// TODO: remove in Contao 5.0
  124.         // Add templates that are not directly associated with a module
  125.         $arrMapper['mod'][] = 'article';
  126.         $arrMapper['mod'][] = 'message';
  127.         $arrMapper['mod'][] = 'password'// TODO: remove in Contao 5.0
  128.         $arrMapper['mod'][] = 'comment_form'// TODO: remove in Contao 5.0
  129.         $arrMapper['mod'][] = 'newsletter'// TODO: remove in Contao 5.0
  130.         /** @var TemplateHierarchyInterface $templateHierarchy */
  131.         $templateHierarchy System::getContainer()->get('contao.twig.filesystem_loader');
  132.         $identifierPattern sprintf('/^%s%s/'preg_quote($strPrefix'/'), substr($strPrefix, -1) !== '_' '($|_)' '');
  133.         $prefixedFiles array_merge(
  134.             array_filter(
  135.                 array_keys($templateHierarchy->getInheritanceChains()),
  136.                 static fn (string $identifier): bool => === preg_match($identifierPattern$identifier),
  137.             ),
  138.             // Merge with the templates from the TemplateLoader for backwards
  139.             // compatibility in case someone has added templates manually
  140.             TemplateLoader::getPrefixedFiles($strPrefix),
  141.         );
  142.         foreach ($prefixedFiles as $strTemplate)
  143.         {
  144.             if ($strTemplate != $strPrefix)
  145.             {
  146.                 list($k$strKey) = explode('_'$strTemplate2);
  147.                 if (isset($arrMapper[$k]) && \in_array($strKey$arrMapper[$k]))
  148.                 {
  149.                     $arrBundleTemplates[] = $strTemplate;
  150.                     continue;
  151.                 }
  152.             }
  153.             $arrTemplates[$strTemplate][] = 'root';
  154.         }
  155.         $strGlobPrefix $strPrefix;
  156.         // Backwards compatibility (see #725)
  157.         if (substr($strGlobPrefix, -1) == '_')
  158.         {
  159.             $strGlobPrefix substr($strGlobPrefix0, -1) . '[_-]';
  160.         }
  161.         $projectDir System::getContainer()->getParameter('kernel.project_dir');
  162.         $arrCustomized self::braceGlob($projectDir '/templates/' $strGlobPrefix '*.html5');
  163.         // Add the customized templates
  164.         if (!empty($arrCustomized) && \is_array($arrCustomized))
  165.         {
  166.             $blnIsGroupPrefix preg_match('/^[a-z]+_$/'$strPrefix);
  167.             foreach ($arrCustomized as $strFile)
  168.             {
  169.                 $strTemplate basename($strFilestrrchr($strFile'.'));
  170.                 if (strpos($strTemplate'-') !== false)
  171.                 {
  172.                     trigger_deprecation('contao/core-bundle''4.9''Using hyphens in the template name "' $strTemplate '.html5" has been deprecated and will no longer work in Contao 5.0. Use snake_case instead.');
  173.                 }
  174.                 // Ignore bundle templates, e.g. mod_article and mod_article_list
  175.                 if (\in_array($strTemplate$arrBundleTemplates))
  176.                 {
  177.                     continue;
  178.                 }
  179.                 // Also ignore custom templates belonging to a different bundle template,
  180.                 // e.g. mod_article and mod_article_list_custom
  181.                 if (!$blnIsGroupPrefix)
  182.                 {
  183.                     foreach ($arrBundleTemplates as $strKey)
  184.                     {
  185.                         if (strpos($strTemplate$strKey '_') === 0)
  186.                         {
  187.                             continue 2;
  188.                         }
  189.                     }
  190.                 }
  191.                 $arrTemplates[$strTemplate][] = $GLOBALS['TL_LANG']['MSC']['global'] ?? 'global';
  192.             }
  193.         }
  194.         $arrDefaultPlaces = array();
  195.         if ($strDefaultTemplate)
  196.         {
  197.             $arrDefaultPlaces[] = $GLOBALS['TL_LANG']['MSC']['default'];
  198.             if (file_exists($projectDir '/templates/' $strDefaultTemplate '.html5'))
  199.             {
  200.                 $arrDefaultPlaces[] = $GLOBALS['TL_LANG']['MSC']['global'];
  201.             }
  202.         }
  203.         // Do not look for back end templates in theme folders (see #5379)
  204.         if ($strPrefix != 'be_' && $strPrefix != 'mail_')
  205.         {
  206.             // Try to select the themes (see #5210)
  207.             try
  208.             {
  209.                 $objTheme ThemeModel::findAll(array('order'=>'name'));
  210.             }
  211.             catch (\Throwable $e)
  212.             {
  213.                 $objTheme null;
  214.             }
  215.             // Add the theme templates
  216.             if ($objTheme !== null)
  217.             {
  218.                 while ($objTheme->next())
  219.                 {
  220.                     if (!$objTheme->templates)
  221.                     {
  222.                         continue;
  223.                     }
  224.                     if ($strDefaultTemplate && file_exists($projectDir '/' $objTheme->templates '/' $strDefaultTemplate '.html5'))
  225.                     {
  226.                         $arrDefaultPlaces[] = $objTheme->name;
  227.                     }
  228.                     $arrThemeTemplates self::braceGlob($projectDir '/' $objTheme->templates '/' $strGlobPrefix '*.html5');
  229.                     if (!empty($arrThemeTemplates) && \is_array($arrThemeTemplates))
  230.                     {
  231.                         foreach ($arrThemeTemplates as $strFile)
  232.                         {
  233.                             $strTemplate basename($strFilestrrchr($strFile'.'));
  234.                             $arrTemplates[$strTemplate][] = $objTheme->name;
  235.                         }
  236.                     }
  237.                 }
  238.             }
  239.         }
  240.         // Show the template sources (see #6875)
  241.         foreach ($arrTemplates as $k=>$v)
  242.         {
  243.             $v array_filter($v, static function ($a)
  244.             {
  245.                 return $a != 'root';
  246.             });
  247.             if (empty($v))
  248.             {
  249.                 $arrTemplates[$k] = $k;
  250.             }
  251.             else
  252.             {
  253.                 $arrTemplates[$k] = $k ' (' implode(', '$v) . ')';
  254.             }
  255.         }
  256.         // Sort the template names
  257.         ksort($arrTemplates);
  258.         if ($strDefaultTemplate)
  259.         {
  260.             if (!empty($arrDefaultPlaces))
  261.             {
  262.                 $strDefaultTemplate .= ' (' implode(', '$arrDefaultPlaces) . ')';
  263.             }
  264.             $arrTemplates = array('' => $strDefaultTemplate) + $arrTemplates;
  265.         }
  266.         return $arrTemplates;
  267.     }
  268.     /**
  269.      * Generate a front end module and return it as string
  270.      *
  271.      * @param mixed  $intId     A module ID or a Model object
  272.      * @param string $strColumn The name of the column
  273.      *
  274.      * @return string The module HTML markup
  275.      */
  276.     public static function getFrontendModule($intId$strColumn='main')
  277.     {
  278.         if (!\is_object($intId) && !\strlen($intId))
  279.         {
  280.             return '';
  281.         }
  282.         /** @var PageModel $objPage */
  283.         global $objPage;
  284.         // Articles
  285.         if (!\is_object($intId) && $intId == 0)
  286.         {
  287.             // Show a particular article only
  288.             if ($objPage->type == 'regular' && Input::get('articles'))
  289.             {
  290.                 list($strSection$strArticle) = explode(':'Input::get('articles')) + array(nullnull);
  291.                 if ($strArticle === null)
  292.                 {
  293.                     $strArticle $strSection;
  294.                     $strSection 'main';
  295.                 }
  296.                 if ($strSection == $strColumn)
  297.                 {
  298.                     $objArticle ArticleModel::findPublishedByIdOrAliasAndPid($strArticle$objPage->id);
  299.                     // Send a 404 header if there is no published article
  300.                     if (null === $objArticle)
  301.                     {
  302.                         throw new PageNotFoundException('Page not found: ' Environment::get('uri'));
  303.                     }
  304.                     // Send a 403 header if the article cannot be accessed
  305.                     if (!static::isVisibleElement($objArticle))
  306.                     {
  307.                         throw new AccessDeniedException('Access denied: ' Environment::get('uri'));
  308.                     }
  309.                     return static::getArticle($objArticle);
  310.                 }
  311.             }
  312.             // HOOK: add custom logic
  313.             if (isset($GLOBALS['TL_HOOKS']['getArticles']) && \is_array($GLOBALS['TL_HOOKS']['getArticles']))
  314.             {
  315.                 foreach ($GLOBALS['TL_HOOKS']['getArticles'] as $callback)
  316.                 {
  317.                     $return = static::importStatic($callback[0])->{$callback[1]}($objPage->id$strColumn);
  318.                     if (\is_string($return))
  319.                     {
  320.                         return $return;
  321.                     }
  322.                 }
  323.             }
  324.             // Show all articles (no else block here, see #4740)
  325.             $objArticles ArticleModel::findPublishedByPidAndColumn($objPage->id$strColumn);
  326.             if ($objArticles === null)
  327.             {
  328.                 return '';
  329.             }
  330.             $return '';
  331.             $blnMultiMode = ($objArticles->count() > 1);
  332.             while ($objArticles->next())
  333.             {
  334.                 $return .= static::getArticle($objArticles->current(), $blnMultiModefalse$strColumn);
  335.             }
  336.             return $return;
  337.         }
  338.         // Other modules
  339.         if (\is_object($intId))
  340.         {
  341.             $objRow $intId;
  342.         }
  343.         else
  344.         {
  345.             $objRow ModuleModel::findByPk($intId);
  346.             if ($objRow === null)
  347.             {
  348.                 return '';
  349.             }
  350.         }
  351.         // Check the visibility (see #6311)
  352.         if (!static::isVisibleElement($objRow))
  353.         {
  354.             return '';
  355.         }
  356.         $strClass Module::findClass($objRow->type);
  357.         // Return if the class does not exist
  358.         if (!class_exists($strClass))
  359.         {
  360.             System::getContainer()->get('monolog.logger.contao.error')->error('Module class "' $strClass '" (module "' $objRow->type '") does not exist');
  361.             return '';
  362.         }
  363.         $strStopWatchId 'contao.frontend_module.' $objRow->type ' (ID ' $objRow->id ')';
  364.         if (System::getContainer()->getParameter('kernel.debug') && System::getContainer()->has('debug.stopwatch'))
  365.         {
  366.             $objStopwatch System::getContainer()->get('debug.stopwatch');
  367.             $objStopwatch->start($strStopWatchId'contao.layout');
  368.         }
  369.         $objRow->typePrefix 'mod_';
  370.         /** @var Module $objModule */
  371.         $objModule = new $strClass($objRow$strColumn);
  372.         $strBuffer $objModule->generate();
  373.         // HOOK: add custom logic
  374.         if (isset($GLOBALS['TL_HOOKS']['getFrontendModule']) && \is_array($GLOBALS['TL_HOOKS']['getFrontendModule']))
  375.         {
  376.             foreach ($GLOBALS['TL_HOOKS']['getFrontendModule'] as $callback)
  377.             {
  378.                 $strBuffer = static::importStatic($callback[0])->{$callback[1]}($objRow$strBuffer$objModule);
  379.             }
  380.         }
  381.         // Disable indexing if protected
  382.         if ($objModule->protected && !preg_match('/^\s*<!-- indexer::stop/'$strBuffer))
  383.         {
  384.             $strBuffer "\n<!-- indexer::stop -->" $strBuffer "<!-- indexer::continue -->\n";
  385.         }
  386.         if (isset($objStopwatch) && $objStopwatch->isStarted($strStopWatchId))
  387.         {
  388.             $objStopwatch->stop($strStopWatchId);
  389.         }
  390.         return $strBuffer;
  391.     }
  392.     /**
  393.      * Generate an article and return it as string
  394.      *
  395.      * @param mixed   $varId          The article ID or a Model object
  396.      * @param boolean $blnMultiMode   If true, only teasers will be shown
  397.      * @param boolean $blnIsInsertTag If true, there will be no page relation
  398.      * @param string  $strColumn      The name of the column
  399.      *
  400.      * @return string|boolean The article HTML markup or false
  401.      */
  402.     public static function getArticle($varId$blnMultiMode=false$blnIsInsertTag=false$strColumn='main')
  403.     {
  404.         /** @var PageModel $objPage */
  405.         global $objPage;
  406.         if (\is_object($varId))
  407.         {
  408.             $objRow $varId;
  409.         }
  410.         else
  411.         {
  412.             if (!$varId)
  413.             {
  414.                 return '';
  415.             }
  416.             $objRow ArticleModel::findByIdOrAliasAndPid($varId, (!$blnIsInsertTag $objPage->id null));
  417.             if ($objRow === null)
  418.             {
  419.                 return false;
  420.             }
  421.         }
  422.         // Check the visibility (see #6311)
  423.         if (!static::isVisibleElement($objRow))
  424.         {
  425.             return '';
  426.         }
  427.         // Print the article as PDF
  428.         if (isset($_GET['pdf']) && Input::get('pdf') == $objRow->id)
  429.         {
  430.             // Deprecated since Contao 4.0, to be removed in Contao 5.0
  431.             if ($objRow->printable == 1)
  432.             {
  433.                 trigger_deprecation('contao/core-bundle''4.0''Setting tl_article.printable to "1" has been deprecated and will no longer work in Contao 5.0.');
  434.                 $objArticle = new ModuleArticle($objRow);
  435.                 $objArticle->generatePdf();
  436.             }
  437.             elseif ($objRow->printable)
  438.             {
  439.                 $options StringUtil::deserialize($objRow->printable);
  440.                 if (\is_array($options) && \in_array('pdf'$options))
  441.                 {
  442.                     $objArticle = new ModuleArticle($objRow);
  443.                     $objArticle->generatePdf();
  444.                 }
  445.             }
  446.         }
  447.         $objRow->headline $objRow->title;
  448.         $objRow->multiMode $blnMultiMode;
  449.         // HOOK: add custom logic
  450.         if (isset($GLOBALS['TL_HOOKS']['getArticle']) && \is_array($GLOBALS['TL_HOOKS']['getArticle']))
  451.         {
  452.             foreach ($GLOBALS['TL_HOOKS']['getArticle'] as $callback)
  453.             {
  454.                 static::importStatic($callback[0])->{$callback[1]}($objRow);
  455.             }
  456.         }
  457.         $strStopWatchId 'contao.article (ID ' $objRow->id ')';
  458.         if (System::getContainer()->getParameter('kernel.debug') && System::getContainer()->has('debug.stopwatch'))
  459.         {
  460.             $objStopwatch System::getContainer()->get('debug.stopwatch');
  461.             $objStopwatch->start($strStopWatchId'contao.layout');
  462.         }
  463.         $objArticle = new ModuleArticle($objRow$strColumn);
  464.         $strBuffer $objArticle->generate($blnIsInsertTag);
  465.         // Disable indexing if protected
  466.         if ($objArticle->protected && !preg_match('/^\s*<!-- indexer::stop/'$strBuffer))
  467.         {
  468.             $strBuffer "\n<!-- indexer::stop -->" $strBuffer "<!-- indexer::continue -->\n";
  469.         }
  470.         if (isset($objStopwatch) && $objStopwatch->isStarted($strStopWatchId))
  471.         {
  472.             $objStopwatch->stop($strStopWatchId);
  473.         }
  474.         return $strBuffer;
  475.     }
  476.     /**
  477.      * Generate a content element and return it as string
  478.      *
  479.      * @param mixed  $intId     A content element ID or a Model object
  480.      * @param string $strColumn The column the element is in
  481.      *
  482.      * @return string The content element HTML markup
  483.      */
  484.     public static function getContentElement($intId$strColumn='main')
  485.     {
  486.         if (\is_object($intId))
  487.         {
  488.             $objRow $intId;
  489.         }
  490.         else
  491.         {
  492.             if ($intId || !\strlen($intId))
  493.             {
  494.                 return '';
  495.             }
  496.             $objRow ContentModel::findByPk($intId);
  497.             if ($objRow === null)
  498.             {
  499.                 return '';
  500.             }
  501.         }
  502.         // Check the visibility (see #6311)
  503.         if (!static::isVisibleElement($objRow))
  504.         {
  505.             return '';
  506.         }
  507.         $strClass ContentElement::findClass($objRow->type);
  508.         // Return if the class does not exist
  509.         if (!class_exists($strClass))
  510.         {
  511.             System::getContainer()->get('monolog.logger.contao.error')->error('Content element class "' $strClass '" (content element "' $objRow->type '") does not exist');
  512.             return '';
  513.         }
  514.         $objRow->typePrefix 'ce_';
  515.         $strStopWatchId 'contao.content_element.' $objRow->type ' (ID ' $objRow->id ')';
  516.         if ($objRow->type != 'module' && System::getContainer()->getParameter('kernel.debug') && System::getContainer()->has('debug.stopwatch'))
  517.         {
  518.             $objStopwatch System::getContainer()->get('debug.stopwatch');
  519.             $objStopwatch->start($strStopWatchId'contao.layout');
  520.         }
  521.         /** @var ContentElement $objElement */
  522.         $objElement = new $strClass($objRow$strColumn);
  523.         $strBuffer $objElement->generate();
  524.         // HOOK: add custom logic
  525.         if (isset($GLOBALS['TL_HOOKS']['getContentElement']) && \is_array($GLOBALS['TL_HOOKS']['getContentElement']))
  526.         {
  527.             foreach ($GLOBALS['TL_HOOKS']['getContentElement'] as $callback)
  528.             {
  529.                 $strBuffer = static::importStatic($callback[0])->{$callback[1]}($objRow$strBuffer$objElement);
  530.             }
  531.         }
  532.         // Disable indexing if protected
  533.         if ($objElement->protected && !preg_match('/^\s*<!-- indexer::stop/'$strBuffer))
  534.         {
  535.             $strBuffer "\n<!-- indexer::stop -->" $strBuffer "<!-- indexer::continue -->\n";
  536.         }
  537.         if (isset($objStopwatch) && $objStopwatch->isStarted($strStopWatchId))
  538.         {
  539.             $objStopwatch->stop($strStopWatchId);
  540.         }
  541.         return $strBuffer;
  542.     }
  543.     /**
  544.      * Generate a form and return it as string
  545.      *
  546.      * @param mixed   $varId     A form ID or a Model object
  547.      * @param string  $strColumn The column the form is in
  548.      * @param boolean $blnModule Render the form as module
  549.      *
  550.      * @return string The form HTML markup
  551.      */
  552.     public static function getForm($varId$strColumn='main'$blnModule=false)
  553.     {
  554.         if (\is_object($varId))
  555.         {
  556.             $objRow $varId;
  557.         }
  558.         else
  559.         {
  560.             if (!$varId)
  561.             {
  562.                 return '';
  563.             }
  564.             $objRow FormModel::findByIdOrAlias($varId);
  565.             if ($objRow === null)
  566.             {
  567.                 return '';
  568.             }
  569.         }
  570.         $strClass $blnModule Module::findClass('form') : ContentElement::findClass('form');
  571.         if (!class_exists($strClass))
  572.         {
  573.             System::getContainer()->get('monolog.logger.contao.error')->error('Form class "' $strClass '" does not exist');
  574.             return '';
  575.         }
  576.         $objRow->typePrefix $blnModule 'mod_' 'ce_';
  577.         $objRow->form $objRow->id;
  578.         /** @var Form $objElement */
  579.         $objElement = new $strClass($objRow$strColumn);
  580.         $strBuffer $objElement->generate();
  581.         // HOOK: add custom logic
  582.         if (isset($GLOBALS['TL_HOOKS']['getForm']) && \is_array($GLOBALS['TL_HOOKS']['getForm']))
  583.         {
  584.             foreach ($GLOBALS['TL_HOOKS']['getForm'] as $callback)
  585.             {
  586.                 $strBuffer = static::importStatic($callback[0])->{$callback[1]}($objRow$strBuffer$objElement);
  587.             }
  588.         }
  589.         return $strBuffer;
  590.     }
  591.     /**
  592.      * Return the languages for the TinyMCE spellchecker
  593.      *
  594.      * @return string The TinyMCE spellchecker language string
  595.      *
  596.      * @deprecated Deprecated since Contao 4.13, to be removed in Contao 5.0.
  597.      */
  598.     protected function getSpellcheckerString()
  599.     {
  600.         trigger_deprecation('contao/core-bundle''4.13''Using "%s()" has been deprecated and will no longer work in Contao 5.0.'__METHOD__);
  601.         System::loadLanguageFile('languages');
  602.         $return = array();
  603.         $langs Folder::scan(__DIR__ '/../../languages');
  604.         array_unshift($langs$GLOBALS['TL_LANGUAGE']);
  605.         foreach ($langs as $lang)
  606.         {
  607.             $lang substr($lang02);
  608.             if (isset($GLOBALS['TL_LANG']['LNG'][$lang]))
  609.             {
  610.                 $return[$lang] = $GLOBALS['TL_LANG']['LNG'][$lang] . '=' $lang;
  611.             }
  612.         }
  613.         return '+' implode(','array_unique($return));
  614.     }
  615.     /**
  616.      * Calculate the page status icon name based on the page parameters
  617.      *
  618.      * @param PageModel|Result|\stdClass $objPage The page object
  619.      *
  620.      * @return string The status icon name
  621.      */
  622.     public static function getPageStatusIcon($objPage)
  623.     {
  624.         $sub 0;
  625.         $type \in_array($objPage->type, array('regular''root''forward''redirect''error_401''error_403''error_404''error_503'), true) ? $objPage->type 'regular';
  626.         $image $type '.svg';
  627.         // Page not published or not active
  628.         if (!$objPage->published || ($objPage->start && $objPage->start time()) || ($objPage->stop && $objPage->stop <= time()))
  629.         {
  630.             ++$sub;
  631.         }
  632.         // Page hidden from menu
  633.         if ($objPage->hide && !\in_array($type, array('root''error_401''error_403''error_404''error_503')))
  634.         {
  635.             $sub += 2;
  636.         }
  637.         // Page protected
  638.         if ($objPage->protected && !\in_array($type, array('root''error_401''error_403''error_404''error_503')))
  639.         {
  640.             $sub += 4;
  641.         }
  642.         // Change icon if root page is published and in maintenance mode
  643.         if ($sub == && $objPage->type == 'root' && $objPage->maintenanceMode)
  644.         {
  645.             $sub 2;
  646.         }
  647.         // Get the image name
  648.         if ($sub 0)
  649.         {
  650.             $image $type '_' $sub '.svg';
  651.         }
  652.         // HOOK: add custom logic
  653.         if (isset($GLOBALS['TL_HOOKS']['getPageStatusIcon']) && \is_array($GLOBALS['TL_HOOKS']['getPageStatusIcon']))
  654.         {
  655.             foreach ($GLOBALS['TL_HOOKS']['getPageStatusIcon'] as $callback)
  656.             {
  657.                 $image = static::importStatic($callback[0])->{$callback[1]}($objPage$image);
  658.             }
  659.         }
  660.         return $image;
  661.     }
  662.     /**
  663.      * Check whether an element is visible in the front end
  664.      *
  665.      * @param Model|ContentModel|ModuleModel $objElement The element model
  666.      *
  667.      * @return boolean True if the element is visible
  668.      */
  669.     public static function isVisibleElement(Model $objElement)
  670.     {
  671.         $blnReturn true;
  672.         // Only apply the restrictions in the front end
  673.         if (TL_MODE == 'FE')
  674.         {
  675.             $security System::getContainer()->get('security.helper');
  676.             if ($objElement->protected)
  677.             {
  678.                 $groups StringUtil::deserialize($objElement->groupstrue);
  679.                 $blnReturn $security->isGranted(ContaoCorePermissions::MEMBER_IN_GROUPS$groups);
  680.             }
  681.             elseif ($objElement->guests)
  682.             {
  683.                 trigger_deprecation('contao/core-bundle''4.12''Using the "show to guests only" feature has been deprecated an will no longer work in Contao 5.0. Use the "protect page" function instead.');
  684.                 $blnReturn = !$security->isGranted('ROLE_MEMBER'); // backwards compatibility
  685.             }
  686.         }
  687.         // HOOK: add custom logic
  688.         if (isset($GLOBALS['TL_HOOKS']['isVisibleElement']) && \is_array($GLOBALS['TL_HOOKS']['isVisibleElement']))
  689.         {
  690.             foreach ($GLOBALS['TL_HOOKS']['isVisibleElement'] as $callback)
  691.             {
  692.                 $blnReturn = static::importStatic($callback[0])->{$callback[1]}($objElement$blnReturn);
  693.             }
  694.         }
  695.         return $blnReturn;
  696.     }
  697.     /**
  698.      * Replace insert tags with their values
  699.      *
  700.      * @param string  $strBuffer The text with the tags to be replaced
  701.      * @param boolean $blnCache  If false, non-cacheable tags will be replaced
  702.      *
  703.      * @return string The text with the replaced tags
  704.      *
  705.      * @deprecated Deprecated since Contao 4.13, to be removed in Contao 5.0.
  706.      *             Use the InsertTagParser service instead.
  707.      */
  708.     public static function replaceInsertTags($strBuffer$blnCache=true)
  709.     {
  710.         trigger_deprecation('contao/core-bundle''4.13''Using "%s()" has been deprecated and will no longer work in Contao 5.0. Use the InsertTagParser service instead.'__METHOD__);
  711.         $parser System::getContainer()->get('contao.insert_tag.parser');
  712.         if ($blnCache)
  713.         {
  714.             return $parser->replace((string) $strBuffer);
  715.         }
  716.         return $parser->replaceInline((string) $strBuffer);
  717.     }
  718.     /**
  719.      * Replace the dynamic script tags (see #4203)
  720.      *
  721.      * @param string $strBuffer The string with the tags to be replaced
  722.      *
  723.      * @return string The string with the replaced tags
  724.      */
  725.     public static function replaceDynamicScriptTags($strBuffer)
  726.     {
  727.         // HOOK: add custom logic
  728.         if (isset($GLOBALS['TL_HOOKS']['replaceDynamicScriptTags']) && \is_array($GLOBALS['TL_HOOKS']['replaceDynamicScriptTags']))
  729.         {
  730.             foreach ($GLOBALS['TL_HOOKS']['replaceDynamicScriptTags'] as $callback)
  731.             {
  732.                 $strBuffer = static::importStatic($callback[0])->{$callback[1]}($strBuffer);
  733.             }
  734.         }
  735.         $arrReplace = array();
  736.         $strScripts '';
  737.         // Add the internal jQuery scripts
  738.         if (!empty($GLOBALS['TL_JQUERY']) && \is_array($GLOBALS['TL_JQUERY']))
  739.         {
  740.             $strScripts .= implode(''array_unique($GLOBALS['TL_JQUERY']));
  741.         }
  742.         $nonce ContaoFramework::getNonce();
  743.         $arrReplace["[[TL_JQUERY_$nonce]]"] = $strScripts;
  744.         $strScripts '';
  745.         // Add the internal MooTools scripts
  746.         if (!empty($GLOBALS['TL_MOOTOOLS']) && \is_array($GLOBALS['TL_MOOTOOLS']))
  747.         {
  748.             $strScripts .= implode(''array_unique($GLOBALS['TL_MOOTOOLS']));
  749.         }
  750.         $arrReplace["[[TL_MOOTOOLS_$nonce]]"] = $strScripts;
  751.         $strScripts '';
  752.         // Add the internal <body> tags
  753.         if (!empty($GLOBALS['TL_BODY']) && \is_array($GLOBALS['TL_BODY']))
  754.         {
  755.             $strScripts .= implode(''array_unique($GLOBALS['TL_BODY']));
  756.         }
  757.         /** @var PageModel|null $objPage */
  758.         global $objPage;
  759.         $objLayout = ($objPage !== null) ? LayoutModel::findByPk($objPage->layoutId) : null;
  760.         $blnCombineScripts $objLayout !== null && $objLayout->combineScripts;
  761.         $arrReplace["[[TL_BODY_$nonce]]"] = $strScripts;
  762.         $strScripts '';
  763.         $objCombiner = new Combiner();
  764.         // Add the CSS framework style sheets
  765.         if (!empty($GLOBALS['TL_FRAMEWORK_CSS']) && \is_array($GLOBALS['TL_FRAMEWORK_CSS']))
  766.         {
  767.             foreach (array_unique($GLOBALS['TL_FRAMEWORK_CSS']) as $stylesheet)
  768.             {
  769.                 $objCombiner->add($stylesheet);
  770.             }
  771.         }
  772.         // Add the internal style sheets
  773.         if (!empty($GLOBALS['TL_CSS']) && \is_array($GLOBALS['TL_CSS']))
  774.         {
  775.             foreach (array_unique($GLOBALS['TL_CSS']) as $stylesheet)
  776.             {
  777.                 $options StringUtil::resolveFlaggedUrl($stylesheet);
  778.                 if ($options->static)
  779.                 {
  780.                     $objCombiner->add($stylesheet$options->mtime$options->media);
  781.                 }
  782.                 else
  783.                 {
  784.                     $strScripts .= Template::generateStyleTag(static::addAssetsUrlTo($stylesheet), $options->media$options->mtime);
  785.                 }
  786.             }
  787.         }
  788.         // Add the user style sheets
  789.         if (!empty($GLOBALS['TL_USER_CSS']) && \is_array($GLOBALS['TL_USER_CSS']))
  790.         {
  791.             foreach (array_unique($GLOBALS['TL_USER_CSS']) as $stylesheet)
  792.             {
  793.                 $options StringUtil::resolveFlaggedUrl($stylesheet);
  794.                 if ($options->static)
  795.                 {
  796.                     $objCombiner->add($stylesheet$options->mtime$options->media);
  797.                 }
  798.                 else
  799.                 {
  800.                     $strScripts .= Template::generateStyleTag(static::addAssetsUrlTo($stylesheet), $options->media$options->mtime);
  801.                 }
  802.             }
  803.         }
  804.         // Create the aggregated style sheet
  805.         if ($objCombiner->hasEntries())
  806.         {
  807.             if ($blnCombineScripts)
  808.             {
  809.                 $strScripts .= Template::generateStyleTag($objCombiner->getCombinedFile(), 'all');
  810.             }
  811.             else
  812.             {
  813.                 foreach ($objCombiner->getFileUrls() as $strUrl)
  814.                 {
  815.                     $options StringUtil::resolveFlaggedUrl($strUrl);
  816.                     $strScripts .= Template::generateStyleTag($strUrl$options->media$options->mtime);
  817.                 }
  818.             }
  819.         }
  820.         $arrReplace["[[TL_CSS_$nonce]]"] = $strScripts;
  821.         $strScripts '';
  822.         // Add the internal scripts
  823.         if (!empty($GLOBALS['TL_JAVASCRIPT']) && \is_array($GLOBALS['TL_JAVASCRIPT']))
  824.         {
  825.             $objCombiner = new Combiner();
  826.             $objCombinerAsync = new Combiner();
  827.             foreach (array_unique($GLOBALS['TL_JAVASCRIPT']) as $javascript)
  828.             {
  829.                 $options StringUtil::resolveFlaggedUrl($javascript);
  830.                 if ($options->static)
  831.                 {
  832.                     $options->async $objCombinerAsync->add($javascript$options->mtime) : $objCombiner->add($javascript$options->mtime);
  833.                 }
  834.                 else
  835.                 {
  836.                     $strScripts .= Template::generateScriptTag(static::addAssetsUrlTo($javascript), $options->async$options->mtime);
  837.                 }
  838.             }
  839.             // Create the aggregated script and add it before the non-static scripts (see #4890)
  840.             if ($objCombiner->hasEntries())
  841.             {
  842.                 if ($blnCombineScripts)
  843.                 {
  844.                     $strScripts Template::generateScriptTag($objCombiner->getCombinedFile()) . $strScripts;
  845.                 }
  846.                 else
  847.                 {
  848.                     $arrReversed array_reverse($objCombiner->getFileUrls());
  849.                     foreach ($arrReversed as $strUrl)
  850.                     {
  851.                         $options StringUtil::resolveFlaggedUrl($strUrl);
  852.                         $strScripts Template::generateScriptTag($strUrlfalse$options->mtime) . $strScripts;
  853.                     }
  854.                 }
  855.             }
  856.             if ($objCombinerAsync->hasEntries())
  857.             {
  858.                 if ($blnCombineScripts)
  859.                 {
  860.                     $strScripts Template::generateScriptTag($objCombinerAsync->getCombinedFile(), true) . $strScripts;
  861.                 }
  862.                 else
  863.                 {
  864.                     $arrReversed array_reverse($objCombinerAsync->getFileUrls());
  865.                     foreach ($arrReversed as $strUrl)
  866.                     {
  867.                         $options StringUtil::resolveFlaggedUrl($strUrl);
  868.                         $strScripts Template::generateScriptTag($strUrltrue$options->mtime) . $strScripts;
  869.                     }
  870.                 }
  871.             }
  872.         }
  873.         // Add the internal <head> tags
  874.         if (!empty($GLOBALS['TL_HEAD']) && \is_array($GLOBALS['TL_HEAD']))
  875.         {
  876.             foreach (array_unique($GLOBALS['TL_HEAD']) as $head)
  877.             {
  878.                 $strScripts .= $head;
  879.             }
  880.         }
  881.         $arrReplace["[[TL_HEAD_$nonce]]"] = $strScripts;
  882.         return str_replace(array_keys($arrReplace), $arrReplace$strBuffer);
  883.     }
  884.     /**
  885.      * Compile the margin format definition based on an array of values
  886.      *
  887.      * @param array  $arrValues An array of four values and a unit
  888.      * @param string $strType   Either "margin" or "padding"
  889.      *
  890.      * @return string The CSS markup
  891.      *
  892.      * @deprecated Deprecated since Contao 4.13, to be removed in Contao 5.0.
  893.      */
  894.     public static function generateMargin($arrValues$strType='margin')
  895.     {
  896.         trigger_deprecation('contao/core-bundle''4.13''Using Contao\Controller::generateMargin is deprecated since Contao 4.13 and will be removed in Contao 5.');
  897.         // Initialize an empty array (see #5217)
  898.         if (!\is_array($arrValues))
  899.         {
  900.             $arrValues = array('top'=>'''right'=>'''bottom'=>'''left'=>'''unit'=>'');
  901.         }
  902.         $top $arrValues['top'];
  903.         $right $arrValues['right'];
  904.         $bottom $arrValues['bottom'];
  905.         $left $arrValues['left'];
  906.         // Try to shorten the definition
  907.         if ($top && $right && $bottom && $left)
  908.         {
  909.             if ($top == $right && $top == $bottom && $top == $left)
  910.             {
  911.                 return $strType ':' $top $arrValues['unit'] . ';';
  912.             }
  913.             if ($top == $bottom && $right == $left)
  914.             {
  915.                 return $strType ':' $top $arrValues['unit'] . ' ' $left $arrValues['unit'] . ';';
  916.             }
  917.             if ($top != $bottom && $right == $left)
  918.             {
  919.                 return $strType ':' $top $arrValues['unit'] . ' ' $right $arrValues['unit'] . ' ' $bottom $arrValues['unit'] . ';';
  920.             }
  921.             return $strType ':' $top $arrValues['unit'] . ' ' $right $arrValues['unit'] . ' ' $bottom $arrValues['unit'] . ' ' $left $arrValues['unit'] . ';';
  922.         }
  923.         $return = array();
  924.         $arrDir compact('top''right''bottom''left');
  925.         foreach ($arrDir as $k=>$v)
  926.         {
  927.             if ($v)
  928.             {
  929.                 $return[] = $strType '-' $k ':' $v $arrValues['unit'] . ';';
  930.             }
  931.         }
  932.         return implode(''$return);
  933.     }
  934.     /**
  935.      * Add a request string to the current URL
  936.      *
  937.      * @param string  $strRequest The string to be added
  938.      * @param boolean $blnAddRef  Add the referer ID
  939.      * @param array   $arrUnset   An optional array of keys to unset
  940.      *
  941.      * @return string The new URL
  942.      */
  943.     public static function addToUrl($strRequest$blnAddRef=true$arrUnset=array())
  944.     {
  945.         $pairs = array();
  946.         $request System::getContainer()->get('request_stack')->getCurrentRequest();
  947.         if ($request->server->has('QUERY_STRING'))
  948.         {
  949.             $cacheKey md5($request->server->get('QUERY_STRING'));
  950.             if (!isset(static::$arrQueryCache[$cacheKey]))
  951.             {
  952.                 parse_str($request->server->get('QUERY_STRING'), $pairs);
  953.                 ksort($pairs);
  954.                 static::$arrQueryCache[$cacheKey] = $pairs;
  955.             }
  956.             $pairs = static::$arrQueryCache[$cacheKey];
  957.         }
  958.         // Remove the request token and referer ID
  959.         unset($pairs['rt'], $pairs['ref'], $pairs['revise']);
  960.         foreach ($arrUnset as $key)
  961.         {
  962.             unset($pairs[$key]);
  963.         }
  964.         // Merge the request string to be added
  965.         if ($strRequest)
  966.         {
  967.             parse_str(str_replace('&amp;''&'$strRequest), $newPairs);
  968.             $pairs array_merge($pairs$newPairs);
  969.         }
  970.         // Add the referer ID
  971.         if ($request->query->has('ref') || ($strRequest && $blnAddRef))
  972.         {
  973.             $pairs['ref'] = $request->attributes->get('_contao_referer_id');
  974.         }
  975.         $uri '';
  976.         if (!empty($pairs))
  977.         {
  978.             $uri '?' http_build_query($pairs'''&amp;'PHP_QUERY_RFC3986);
  979.         }
  980.         return TL_SCRIPT $uri;
  981.     }
  982.     /**
  983.      * Reload the current page
  984.      */
  985.     public static function reload()
  986.     {
  987.         static::redirect(Environment::get('uri'));
  988.     }
  989.     /**
  990.      * Redirect to another page
  991.      *
  992.      * @param string  $strLocation The target URL
  993.      * @param integer $intStatus   The HTTP status code (defaults to 303)
  994.      */
  995.     public static function redirect($strLocation$intStatus=303)
  996.     {
  997.         $strLocation str_replace('&amp;''&'$strLocation);
  998.         $strLocation = static::replaceOldBePaths($strLocation);
  999.         // Make the location an absolute URL
  1000.         if (!preg_match('@^https?://@i'$strLocation))
  1001.         {
  1002.             $strLocation Environment::get('base') . ltrim($strLocation'/');
  1003.         }
  1004.         // Ajax request
  1005.         if (Environment::get('isAjaxRequest'))
  1006.         {
  1007.             throw new AjaxRedirectResponseException($strLocation);
  1008.         }
  1009.         throw new RedirectResponseException($strLocation$intStatus);
  1010.     }
  1011.     /**
  1012.      * Replace the old back end paths
  1013.      *
  1014.      * @param string $strContext The context
  1015.      *
  1016.      * @return string The modified context
  1017.      */
  1018.     protected static function replaceOldBePaths($strContext)
  1019.     {
  1020.         $arrCache = &self::$arrOldBePathCache;
  1021.         $arrMapper = array
  1022.         (
  1023.             'contao/confirm.php'   => 'contao_backend_confirm',
  1024.             'contao/file.php'      => 'contao_backend_file',
  1025.             'contao/help.php'      => 'contao_backend_help',
  1026.             'contao/index.php'     => 'contao_backend_login',
  1027.             'contao/main.php'      => 'contao_backend',
  1028.             'contao/page.php'      => 'contao_backend_page',
  1029.             'contao/password.php'  => 'contao_backend_password',
  1030.             'contao/popup.php'     => 'contao_backend_popup',
  1031.             'contao/preview.php'   => 'contao_backend_preview',
  1032.         );
  1033.         $replace = static function ($matches) use ($arrMapper, &$arrCache)
  1034.         {
  1035.             $key $matches[0];
  1036.             if (!isset($arrCache[$key]))
  1037.             {
  1038.                 trigger_deprecation('contao/core-bundle''4.0''Using old backend paths has been deprecated in Contao 4.0 and will be removed in Contao 5. Use the backend routes instead.');
  1039.                 $router System::getContainer()->get('router');
  1040.                 $arrCache[$key] = substr($router->generate($arrMapper[$key]), \strlen(Environment::get('path')) + 1);
  1041.             }
  1042.             return $arrCache[$key];
  1043.         };
  1044.         $regex '(' implode('|'array_map('preg_quote'array_keys($arrMapper))) . ')';
  1045.         return preg_replace_callback($regex$replace$strContext);
  1046.     }
  1047.     /**
  1048.      * Generate a front end URL
  1049.      *
  1050.      * @param array   $arrRow       An array of page parameters
  1051.      * @param string  $strParams    An optional string of URL parameters
  1052.      * @param string  $strForceLang Force a certain language
  1053.      * @param boolean $blnFixDomain Check the domain of the target page and append it if necessary
  1054.      *
  1055.      * @return string A URL that can be used in the front end
  1056.      *
  1057.      * @deprecated Deprecated since Contao 4.2, to be removed in Contao 5.0.
  1058.      *             Use PageModel::getFrontendUrl() instead.
  1059.      */
  1060.     public static function generateFrontendUrl(array $arrRow$strParams=null$strForceLang=null$blnFixDomain=false)
  1061.     {
  1062.         trigger_deprecation('contao/core-bundle''4.2''Using "Contao\Controller::generateFrontendUrl()" has been deprecated and will no longer work in Contao 5.0. Use PageModel::getFrontendUrl() instead.');
  1063.         $page = new PageModel();
  1064.         $page->preventSaving(false);
  1065.         $page->setRow($arrRow);
  1066.         if (!isset($arrRow['rootId']))
  1067.         {
  1068.             $page->loadDetails();
  1069.             foreach (array('domain''rootLanguage''rootUseSSL') as $key)
  1070.             {
  1071.                 if (isset($arrRow[$key]))
  1072.                 {
  1073.                     $page->$key $arrRow[$key];
  1074.                 }
  1075.                 else
  1076.                 {
  1077.                     $arrRow[$key] = $page->$key;
  1078.                 }
  1079.             }
  1080.         }
  1081.         // Set the language
  1082.         if ($strForceLang !== null)
  1083.         {
  1084.             $strForceLang LocaleUtil::formatAsLocale($strForceLang);
  1085.             $page->language $strForceLang;
  1086.             $page->rootLanguage $strForceLang;
  1087.             if (System::getContainer()->getParameter('contao.legacy_routing'))
  1088.             {
  1089.                 $page->urlPrefix System::getContainer()->getParameter('contao.prepend_locale') ? $strForceLang '';
  1090.             }
  1091.         }
  1092.         // Add the domain if it differs from the current one (see #3765 and #6927)
  1093.         if ($blnFixDomain)
  1094.         {
  1095.             $page->domain $arrRow['domain'];
  1096.             $page->rootUseSSL = (bool) $arrRow['rootUseSSL'];
  1097.         }
  1098.         $objRouter System::getContainer()->get('router');
  1099.         $strUrl $objRouter->generate(PageRoute::PAGE_BASED_ROUTE_NAME, array(RouteObjectInterface::CONTENT_OBJECT => $page'parameters' => $strParams));
  1100.         // Remove path from absolute URLs
  1101.         if (=== strncmp($strUrl'/'1) && !== strncmp($strUrl'//'2))
  1102.         {
  1103.             $strUrl substr($strUrl\strlen(Environment::get('path')) + 1);
  1104.         }
  1105.         // Decode sprintf placeholders
  1106.         if (strpos($strParams'%') !== false)
  1107.         {
  1108.             $arrMatches = array();
  1109.             preg_match_all('/%([sducoxXbgGeEfF])/'$strParams$arrMatches);
  1110.             foreach (array_unique($arrMatches[1]) as $v)
  1111.             {
  1112.                 $strUrl str_replace('%25' $v'%' $v$strUrl);
  1113.             }
  1114.         }
  1115.         // HOOK: add custom logic
  1116.         if (isset($GLOBALS['TL_HOOKS']['generateFrontendUrl']) && \is_array($GLOBALS['TL_HOOKS']['generateFrontendUrl']))
  1117.         {
  1118.             foreach ($GLOBALS['TL_HOOKS']['generateFrontendUrl'] as $callback)
  1119.             {
  1120.                 $strUrl = static::importStatic($callback[0])->{$callback[1]}($arrRow$strParams$strUrl);
  1121.             }
  1122.         }
  1123.         return $strUrl;
  1124.     }
  1125.     /**
  1126.      * Convert relative URLs in href and src attributes to absolute URLs
  1127.      *
  1128.      * @param string  $strContent  The text with the URLs to be converted
  1129.      * @param string  $strBase     An optional base URL
  1130.      * @param boolean $blnHrefOnly If true, only href attributes will be converted
  1131.      *
  1132.      * @return string The text with the replaced URLs
  1133.      */
  1134.     public static function convertRelativeUrls($strContent$strBase=''$blnHrefOnly=false)
  1135.     {
  1136.         if (!$strBase)
  1137.         {
  1138.             $strBase Environment::get('base');
  1139.         }
  1140.         $search $blnHrefOnly 'href' 'href|src';
  1141.         $arrUrls preg_split('/((' $search ')="([^"]+)")/i'$strContent, -1PREG_SPLIT_DELIM_CAPTURE);
  1142.         $strContent '';
  1143.         for ($i=0$c=\count($arrUrls); $i<$c$i+=4)
  1144.         {
  1145.             $strContent .= $arrUrls[$i];
  1146.             if (!isset($arrUrls[$i+2]))
  1147.             {
  1148.                 continue;
  1149.             }
  1150.             $strAttribute $arrUrls[$i+2];
  1151.             $strUrl $arrUrls[$i+3];
  1152.             if (!preg_match('@^(?:[a-z0-9]+:|#)@i'$strUrl))
  1153.             {
  1154.                 $strUrl $strBase . (($strUrl != '/') ? $strUrl '');
  1155.             }
  1156.             $strContent .= $strAttribute '="' $strUrl '"';
  1157.         }
  1158.         return $strContent;
  1159.     }
  1160.     /**
  1161.      * Send a file to the browser so the "save as â€¦" dialogue opens
  1162.      *
  1163.      * @param string  $strFile The file path
  1164.      * @param boolean $inline  Show the file in the browser instead of opening the download dialog
  1165.      *
  1166.      * @throws AccessDeniedException
  1167.      */
  1168.     public static function sendFileToBrowser($strFile$inline=false)
  1169.     {
  1170.         // Make sure there are no attempts to hack the file system
  1171.         if (preg_match('@^\.+@'$strFile) || preg_match('@\.+/@'$strFile) || preg_match('@(://)+@'$strFile))
  1172.         {
  1173.             throw new PageNotFoundException('Invalid file name');
  1174.         }
  1175.         // Limit downloads to the files directory
  1176.         if (!preg_match('@^' preg_quote(System::getContainer()->getParameter('contao.upload_path'), '@') . '@i'$strFile))
  1177.         {
  1178.             throw new PageNotFoundException('Invalid path');
  1179.         }
  1180.         $projectDir System::getContainer()->getParameter('kernel.project_dir');
  1181.         // Check whether the file exists
  1182.         if (!file_exists($projectDir '/' $strFile))
  1183.         {
  1184.             throw new PageNotFoundException('File not found');
  1185.         }
  1186.         $objFile = new File($strFile);
  1187.         $arrAllowedTypes StringUtil::trimsplit(','strtolower(Config::get('allowedDownload')));
  1188.         // Check whether the file type is allowed to be downloaded
  1189.         if (!\in_array($objFile->extension$arrAllowedTypes))
  1190.         {
  1191.             throw new AccessDeniedException(sprintf('File type "%s" is not allowed'$objFile->extension));
  1192.         }
  1193.         // HOOK: post download callback
  1194.         if (isset($GLOBALS['TL_HOOKS']['postDownload']) && \is_array($GLOBALS['TL_HOOKS']['postDownload']))
  1195.         {
  1196.             foreach ($GLOBALS['TL_HOOKS']['postDownload'] as $callback)
  1197.             {
  1198.                 static::importStatic($callback[0])->{$callback[1]}($strFile);
  1199.             }
  1200.         }
  1201.         // Send the file (will stop the script execution)
  1202.         $objFile->sendToBrowser(''$inline);
  1203.     }
  1204.     /**
  1205.      * Load a set of DCA files
  1206.      *
  1207.      * @param string  $strTable   The table name
  1208.      * @param boolean $blnNoCache If true, the cache will be bypassed
  1209.      */
  1210.     public static function loadDataContainer($strTable$blnNoCache=false)
  1211.     {
  1212.         if (\func_num_args() > 1)
  1213.         {
  1214.             trigger_deprecation('contao/core-bundle''4.13''Calling "%s" with the $blnNoCache parameter has been deprecated and will no longer work in Contao 5.0.'__METHOD__);
  1215.         }
  1216.         $loader = new DcaLoader($strTable);
  1217.         $loader->load(...($blnNoCache ? array(true) : array()));
  1218.     }
  1219.     /**
  1220.      * Do not name this "reset" because it might result in conflicts with child classes
  1221.      * @see https://github.com/contao/contao/issues/4257
  1222.      *
  1223.      * @internal
  1224.      */
  1225.     public static function resetControllerCache()
  1226.     {
  1227.         self::$arrQueryCache = array();
  1228.         self::$arrOldBePathCache = array();
  1229.     }
  1230.     /**
  1231.      * Redirect to a front end page
  1232.      *
  1233.      * @param integer $intPage    The page ID
  1234.      * @param string  $strArticle An optional article alias
  1235.      * @param boolean $blnReturn  If true, return the URL and don't redirect
  1236.      *
  1237.      * @return string The URL of the target page
  1238.      */
  1239.     protected function redirectToFrontendPage($intPage$strArticle=null$blnReturn=false)
  1240.     {
  1241.         if (($intPage = (int) $intPage) <= 0)
  1242.         {
  1243.             return '';
  1244.         }
  1245.         $objPage PageModel::findWithDetails($intPage);
  1246.         if ($objPage === null)
  1247.         {
  1248.             return '';
  1249.         }
  1250.         $strParams null;
  1251.         // Add the /article/ fragment (see #673)
  1252.         if ($strArticle !== null && ($objArticle ArticleModel::findByAlias($strArticle)) !== null)
  1253.         {
  1254.             $strParams '/articles/' . (($objArticle->inColumn != 'main') ? $objArticle->inColumn ':' '') . $strArticle;
  1255.         }
  1256.         $strUrl $objPage->getPreviewUrl($strParams);
  1257.         if (!$blnReturn)
  1258.         {
  1259.             $this->redirect($strUrl);
  1260.         }
  1261.         return $strUrl;
  1262.     }
  1263.     /**
  1264.      * Get the parent records of an entry and return them as string which can
  1265.      * be used in a log message
  1266.      *
  1267.      * @param string  $strTable The table name
  1268.      * @param integer $intId    The record ID
  1269.      *
  1270.      * @return string A string that can be used in a log message
  1271.      */
  1272.     protected function getParentEntries($strTable$intId)
  1273.     {
  1274.         // No parent table
  1275.         if (empty($GLOBALS['TL_DCA'][$strTable]['config']['ptable']))
  1276.         {
  1277.             return '';
  1278.         }
  1279.         $arrParent = array();
  1280.         do
  1281.         {
  1282.             // Get the pid
  1283.             $objParent $this->Database->prepare("SELECT pid FROM " $strTable " WHERE id=?")
  1284.                                         ->limit(1)
  1285.                                         ->execute($intId);
  1286.             if ($objParent->numRows 1)
  1287.             {
  1288.                 break;
  1289.             }
  1290.             // Store the parent table information
  1291.             $strTable $GLOBALS['TL_DCA'][$strTable]['config']['ptable'];
  1292.             $intId $objParent->pid;
  1293.             // Add the log entry
  1294.             $arrParent[] = $strTable '.id=' $intId;
  1295.             // Load the data container of the parent table
  1296.             $this->loadDataContainer($strTable);
  1297.         }
  1298.         while ($intId && !empty($GLOBALS['TL_DCA'][$strTable]['config']['ptable']));
  1299.         if (empty($arrParent))
  1300.         {
  1301.             return '';
  1302.         }
  1303.         return ' (parent records: ' implode(', '$arrParent) . ')';
  1304.     }
  1305.     /**
  1306.      * Take an array of file paths and eliminate the nested ones
  1307.      *
  1308.      * @param array $arrPaths The array of file paths
  1309.      *
  1310.      * @return array The file paths array without the nested paths
  1311.      */
  1312.     protected function eliminateNestedPaths($arrPaths)
  1313.     {
  1314.         $arrPaths array_filter($arrPaths);
  1315.         if (empty($arrPaths) || !\is_array($arrPaths))
  1316.         {
  1317.             return array();
  1318.         }
  1319.         $nested = array();
  1320.         foreach ($arrPaths as $path)
  1321.         {
  1322.             $nested[] = preg_grep('/^' preg_quote($path'/') . '\/.+/'$arrPaths);
  1323.         }
  1324.         if (!empty($nested))
  1325.         {
  1326.             $nested array_merge(...$nested);
  1327.         }
  1328.         return array_values(array_diff($arrPaths$nested));
  1329.     }
  1330.     /**
  1331.      * Take an array of pages and eliminate the nested ones
  1332.      *
  1333.      * @param array   $arrPages   The array of page IDs
  1334.      * @param string  $strTable   The table name
  1335.      * @param boolean $blnSorting True if the table has a sorting field
  1336.      *
  1337.      * @return array The page IDs array without the nested IDs
  1338.      */
  1339.     protected function eliminateNestedPages($arrPages$strTable=null$blnSorting=false)
  1340.     {
  1341.         if (empty($arrPages) || !\is_array($arrPages))
  1342.         {
  1343.             return array();
  1344.         }
  1345.         if (!$strTable)
  1346.         {
  1347.             $strTable 'tl_page';
  1348.         }
  1349.         // Thanks to Andreas Schempp (see #2475 and #3423)
  1350.         $arrPages array_filter(array_map('intval'$arrPages));
  1351.         $arrPages array_values(array_diff($arrPages$this->Database->getChildRecords($arrPages$strTable$blnSorting)));
  1352.         return $arrPages;
  1353.     }
  1354.     /**
  1355.      * Add an image to a template
  1356.      *
  1357.      * @param object          $template                The template object to add the image to
  1358.      * @param array           $rowData                 The element or module as array
  1359.      * @param integer|null    $maxWidth                An optional maximum width of the image
  1360.      * @param string|null     $lightboxGroupIdentifier An optional lightbox group identifier
  1361.      * @param FilesModel|null $filesModel              An optional files model
  1362.      *
  1363.      * @deprecated Deprecated since Contao 4.11, to be removed in Contao 5.0;
  1364.      *             use the Contao\CoreBundle\Image\Studio\FigureBuilder instead.
  1365.      */
  1366.     public static function addImageToTemplate($template, array $rowData$maxWidth null$lightboxGroupIdentifier nullFilesModel $filesModel null): void
  1367.     {
  1368.         trigger_deprecation('contao/core-bundle''4.11''Using Controller::addImageToTemplate() is deprecated and will no longer work in Contao 5.0. Use the "Contao\CoreBundle\Image\Studio\FigureBuilder" class instead.');
  1369.         // Helper: Create metadata from the specified row data
  1370.         $createMetadataOverwriteFromRowData = static function (bool $interpretAsContentModel) use ($rowData)
  1371.         {
  1372.             if ($interpretAsContentModel)
  1373.             {
  1374.                 // This will be null if "overwriteMeta" is not set
  1375.                 return (new ContentModel())->setRow($rowData)->getOverwriteMetadata();
  1376.             }
  1377.             // Manually create metadata that always contains certain properties (BC)
  1378.             return new Metadata(array(
  1379.                 Metadata::VALUE_ALT => $rowData['alt'] ?? '',
  1380.                 Metadata::VALUE_TITLE => $rowData['imageTitle'] ?? '',
  1381.                 Metadata::VALUE_URL => System::getContainer()->get('contao.insert_tag.parser')->replaceInline($rowData['imageUrl'] ?? ''),
  1382.                 'linkTitle' => (string) ($rowData['linkTitle'] ?? ''),
  1383.             ));
  1384.         };
  1385.         // Helper: Create fallback template data with (mostly) empty fields (used if resource acquisition fails)
  1386.         $createFallBackTemplateData = static function () use ($filesModel$rowData)
  1387.         {
  1388.             $templateData = array(
  1389.                 'width' => null,
  1390.                 'height' => null,
  1391.                 'picture' => array(
  1392.                     'img' => array(
  1393.                         'src' => '',
  1394.                         'srcset' => '',
  1395.                     ),
  1396.                     'sources' => array(),
  1397.                     'alt' => '',
  1398.                     'title' => '',
  1399.                 ),
  1400.                 'singleSRC' => $rowData['singleSRC'],
  1401.                 'src' => '',
  1402.                 'linkTitle' => '',
  1403.                 'margin' => '',
  1404.                 'addImage' => true,
  1405.                 'addBefore' => true,
  1406.                 'fullsize' => false,
  1407.             );
  1408.             if (null !== $filesModel)
  1409.             {
  1410.                 // Set empty metadata
  1411.                 $templateData array_replace_recursive(
  1412.                     $templateData,
  1413.                     array(
  1414.                         'alt' => '',
  1415.                         'caption' => '',
  1416.                         'imageTitle' => '',
  1417.                         'imageUrl' => '',
  1418.                     )
  1419.                 );
  1420.             }
  1421.             return $templateData;
  1422.         };
  1423.         // Helper: Get size and margins and handle legacy $maxWidth option
  1424.         $getSizeAndMargin = static function () use ($rowData$maxWidth)
  1425.         {
  1426.             $size $rowData['size'] ?? null;
  1427.             $margin StringUtil::deserialize($rowData['imagemargin'] ?? null);
  1428.             $maxWidth = (int) ($maxWidth ?? Config::get('maxImageWidth'));
  1429.             if (=== $maxWidth)
  1430.             {
  1431.                 return array($size$margin);
  1432.             }
  1433.             trigger_deprecation('contao/core-bundle''4.10''Using a maximum front end width has been deprecated and will no longer work in Contao 5.0. Remove the "maxImageWidth" configuration and use responsive images instead.');
  1434.             // Adjust margins if needed
  1435.             if ('px' === ($margin['unit'] ?? null))
  1436.             {
  1437.                 $horizontalMargin = (int) ($margin['left'] ?? 0) + (int) ($margin['right'] ?? 0);
  1438.                 if ($maxWidth $horizontalMargin 1)
  1439.                 {
  1440.                     $margin['left'] = '';
  1441.                     $margin['right'] = '';
  1442.                 }
  1443.                 else
  1444.                 {
  1445.                     $maxWidth -= $horizontalMargin;
  1446.                 }
  1447.             }
  1448.             // Normalize size
  1449.             if ($size instanceof PictureConfiguration)
  1450.             {
  1451.                 return array($size$margin);
  1452.             }
  1453.             $size StringUtil::deserialize($size);
  1454.             if (is_numeric($size))
  1455.             {
  1456.                 $size = array(00, (int) $size);
  1457.             }
  1458.             else
  1459.             {
  1460.                 $size = (\is_array($size) ? $size : array()) + array(00'crop');
  1461.                 $size[0] = (int) $size[0];
  1462.                 $size[1] = (int) $size[1];
  1463.             }
  1464.             // Adjust image size configuration if it exceeds the max width
  1465.             if ($size[0] > && $size[1] > 0)
  1466.             {
  1467.                 list($width$height) = $size;
  1468.             }
  1469.             else
  1470.             {
  1471.                 $container System::getContainer();
  1472.                 /** @var BoxInterface $originalSize */
  1473.                 $originalSize $container
  1474.                     ->get('contao.image.factory')
  1475.                     ->create($container->getParameter('kernel.project_dir') . '/' $rowData['singleSRC'])
  1476.                     ->getDimensions()
  1477.                     ->getSize();
  1478.                 $width $originalSize->getWidth();
  1479.                 $height $originalSize->getHeight();
  1480.             }
  1481.             if ($width <= $maxWidth)
  1482.             {
  1483.                 return array($size$margin);
  1484.             }
  1485.             $size[0] = $maxWidth;
  1486.             $size[1] = (int) floor($maxWidth * ($height $width));
  1487.             return array($size$margin);
  1488.         };
  1489.         $figureBuilder System::getContainer()->get('contao.image.studio')->createFigureBuilder();
  1490.         // Set image resource
  1491.         if (null !== $filesModel)
  1492.         {
  1493.             // Make sure model points to the same resource (BC)
  1494.             $filesModel = clone $filesModel;
  1495.             $filesModel->path $rowData['singleSRC'];
  1496.             // Use source + metadata from files model (if not overwritten)
  1497.             $figureBuilder
  1498.                 ->fromFilesModel($filesModel)
  1499.                 ->setMetadata($createMetadataOverwriteFromRowData(true));
  1500.             $includeFullMetadata true;
  1501.         }
  1502.         else
  1503.         {
  1504.             // Always ignore file metadata when building from path (BC)
  1505.             $figureBuilder
  1506.                 ->fromPath($rowData['singleSRC'], false)
  1507.                 ->setMetadata($createMetadataOverwriteFromRowData(false));
  1508.             $includeFullMetadata false;
  1509.         }
  1510.         // Set size and lightbox configuration
  1511.         list($size$margin) = $getSizeAndMargin();
  1512.         $lightboxSize StringUtil::deserialize($rowData['lightboxSize'] ?? null) ?: null;
  1513.         $figure $figureBuilder
  1514.             ->setSize($size)
  1515.             ->setLightboxGroupIdentifier($lightboxGroupIdentifier)
  1516.             ->setLightboxSize($lightboxSize)
  1517.             ->enableLightbox((bool) ($rowData['fullsize'] ?? false))
  1518.             ->buildIfResourceExists();
  1519.         if (null === $figure)
  1520.         {
  1521.             System::getContainer()->get('monolog.logger.contao.error')->error('Image "' $rowData['singleSRC'] . '" could not be processed: ' $figureBuilder->getLastException()->getMessage());
  1522.             // Fall back to apply a sparse data set instead of failing (BC)
  1523.             foreach ($createFallBackTemplateData() as $key => $value)
  1524.             {
  1525.                 $template->$key $value;
  1526.             }
  1527.             return;
  1528.         }
  1529.         // Build result and apply it to the template
  1530.         $figure->applyLegacyTemplateData($template$margin$rowData['floating'] ?? null$includeFullMetadata);
  1531.         // Fall back to manually specified link title or empty string if not set (backwards compatibility)
  1532.         $template->linkTitle ??= StringUtil::specialchars($rowData['title'] ?? '');
  1533.     }
  1534.     /**
  1535.      * Add enclosures to a template
  1536.      *
  1537.      * @param object $objTemplate The template object to add the enclosures to
  1538.      * @param array  $arrItem     The element or module as array
  1539.      * @param string $strKey      The name of the enclosures field in $arrItem
  1540.      */
  1541.     public static function addEnclosuresToTemplate($objTemplate$arrItem$strKey='enclosure')
  1542.     {
  1543.         $arrEnclosures StringUtil::deserialize($arrItem[$strKey]);
  1544.         if (empty($arrEnclosures) || !\is_array($arrEnclosures))
  1545.         {
  1546.             return;
  1547.         }
  1548.         $objFiles FilesModel::findMultipleByUuids($arrEnclosures);
  1549.         if ($objFiles === null)
  1550.         {
  1551.             return;
  1552.         }
  1553.         $file Input::get('file'true);
  1554.         // Send the file to the browser and do not send a 404 header (see #5178)
  1555.         if ($file)
  1556.         {
  1557.             while ($objFiles->next())
  1558.             {
  1559.                 if ($file == $objFiles->path)
  1560.                 {
  1561.                     static::sendFileToBrowser($file);
  1562.                 }
  1563.             }
  1564.             $objFiles->reset();
  1565.         }
  1566.         /** @var PageModel $objPage */
  1567.         global $objPage;
  1568.         $arrEnclosures = array();
  1569.         $allowedDownload StringUtil::trimsplit(','strtolower(Config::get('allowedDownload')));
  1570.         $projectDir System::getContainer()->getParameter('kernel.project_dir');
  1571.         // Add download links
  1572.         while ($objFiles->next())
  1573.         {
  1574.             if ($objFiles->type == 'file')
  1575.             {
  1576.                 if (!\in_array($objFiles->extension$allowedDownload) || !is_file($projectDir '/' $objFiles->path))
  1577.                 {
  1578.                     continue;
  1579.                 }
  1580.                 $objFile = new File($objFiles->path);
  1581.                 $strHref Environment::get('request');
  1582.                 // Remove an existing file parameter (see #5683)
  1583.                 if (preg_match('/(&(amp;)?|\?)file=/'$strHref))
  1584.                 {
  1585.                     $strHref preg_replace('/(&(amp;)?|\?)file=[^&]+/'''$strHref);
  1586.                 }
  1587.                 $strHref .= ((strpos($strHref'?') !== false) ? '&amp;' '?') . 'file=' System::urlEncode($objFiles->path);
  1588.                 $arrMeta Frontend::getMetaData($objFiles->meta$objPage->language);
  1589.                 if (empty($arrMeta) && $objPage->rootFallbackLanguage !== null)
  1590.                 {
  1591.                     $arrMeta Frontend::getMetaData($objFiles->meta$objPage->rootFallbackLanguage);
  1592.                 }
  1593.                 // Use the file name as title if none is given
  1594.                 if (empty($arrMeta['title']))
  1595.                 {
  1596.                     $arrMeta['title'] = StringUtil::specialchars($objFile->basename);
  1597.                 }
  1598.                 $arrEnclosures[] = array
  1599.                 (
  1600.                     'id'        => $objFiles->id,
  1601.                     'uuid'      => $objFiles->uuid,
  1602.                     'name'      => $objFile->basename,
  1603.                     'title'     => StringUtil::specialchars(sprintf($GLOBALS['TL_LANG']['MSC']['download'], $objFile->basename)),
  1604.                     'link'      => $arrMeta['title'],
  1605.                     'caption'   => $arrMeta['caption'] ?? null,
  1606.                     'href'      => $strHref,
  1607.                     'filesize'  => static::getReadableSize($objFile->filesize),
  1608.                     'icon'      => Image::getPath($objFile->icon),
  1609.                     'mime'      => $objFile->mime,
  1610.                     'meta'      => $arrMeta,
  1611.                     'extension' => $objFile->extension,
  1612.                     'path'      => $objFile->dirname,
  1613.                     'enclosure' => $objFiles->path // backwards compatibility
  1614.                 );
  1615.             }
  1616.         }
  1617.         // Order the enclosures
  1618.         if (!empty($arrItem['orderEnclosure']))
  1619.         {
  1620.             trigger_deprecation('contao/core-bundle''4.10''Using "orderEnclosure" has been deprecated and will no longer work in Contao 5.0. Use a file tree with "isSortable" instead.');
  1621.             $arrEnclosures ArrayUtil::sortByOrderField($arrEnclosures$arrItem['orderEnclosure']);
  1622.         }
  1623.         $objTemplate->enclosure $arrEnclosures;
  1624.     }
  1625.     /**
  1626.      * Set the static URL constants
  1627.      *
  1628.      * @deprecated Deprecated since Contao 4.13, to be removed in Contao 5.0.
  1629.      */
  1630.     public static function setStaticUrls()
  1631.     {
  1632.         if (\defined('TL_FILES_URL'))
  1633.         {
  1634.             return;
  1635.         }
  1636.         if (\func_num_args() > 0)
  1637.         {
  1638.             trigger_deprecation('contao/core-bundle''4.9''Using "Contao\Controller::setStaticUrls()" has been deprecated and will no longer work in Contao 5.0. Use the asset contexts instead.');
  1639.             if (!isset($GLOBALS['objPage']))
  1640.             {
  1641.                 $GLOBALS['objPage'] = func_get_arg(0);
  1642.             }
  1643.         }
  1644.         \define('TL_ASSETS_URL'System::getContainer()->get('contao.assets.assets_context')->getStaticUrl());
  1645.         \define('TL_FILES_URL'System::getContainer()->get('contao.assets.files_context')->getStaticUrl());
  1646.         // Deprecated since Contao 4.0, to be removed in Contao 5.0
  1647.         \define('TL_SCRIPT_URL'TL_ASSETS_URL);
  1648.         \define('TL_PLUGINS_URL'TL_ASSETS_URL);
  1649.     }
  1650.     /**
  1651.      * Add a static URL to a script
  1652.      *
  1653.      * @param string             $script  The script path
  1654.      * @param ContaoContext|null $context
  1655.      *
  1656.      * @return string The script path with the static URL
  1657.      */
  1658.     public static function addStaticUrlTo($scriptContaoContext $context null)
  1659.     {
  1660.         // Absolute URLs
  1661.         if (preg_match('@^https?://@'$script))
  1662.         {
  1663.             return $script;
  1664.         }
  1665.         if ($context === null)
  1666.         {
  1667.             $context System::getContainer()->get('contao.assets.assets_context');
  1668.         }
  1669.         if ($strStaticUrl $context->getStaticUrl())
  1670.         {
  1671.             return $strStaticUrl $script;
  1672.         }
  1673.         return $script;
  1674.     }
  1675.     /**
  1676.      * Add the assets URL to a script
  1677.      *
  1678.      * @param string $script The script path
  1679.      *
  1680.      * @return string The script path with the assets URL
  1681.      */
  1682.     public static function addAssetsUrlTo($script)
  1683.     {
  1684.         return static::addStaticUrlTo($scriptSystem::getContainer()->get('contao.assets.assets_context'));
  1685.     }
  1686.     /**
  1687.      * Add the files URL to a script
  1688.      *
  1689.      * @param string $script The script path
  1690.      *
  1691.      * @return string The script path with the files URL
  1692.      */
  1693.     public static function addFilesUrlTo($script)
  1694.     {
  1695.         return static::addStaticUrlTo($scriptSystem::getContainer()->get('contao.assets.files_context'));
  1696.     }
  1697.     /**
  1698.      * Return the current theme as string
  1699.      *
  1700.      * @return string The name of the theme
  1701.      *
  1702.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1703.      *             Use Backend::getTheme() instead.
  1704.      */
  1705.     public static function getTheme()
  1706.     {
  1707.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getTheme()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Backend::getTheme()" instead.');
  1708.         return Backend::getTheme();
  1709.     }
  1710.     /**
  1711.      * Return the back end themes as array
  1712.      *
  1713.      * @return array An array of available back end themes
  1714.      *
  1715.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1716.      *             Use Backend::getThemes() instead.
  1717.      */
  1718.     public static function getBackendThemes()
  1719.     {
  1720.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getBackendThemes()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Backend::getThemes()" instead.');
  1721.         return Backend::getThemes();
  1722.     }
  1723.     /**
  1724.      * Get the details of a page including inherited parameters
  1725.      *
  1726.      * @param mixed $intId A page ID or a Model object
  1727.      *
  1728.      * @return PageModel The page model or null
  1729.      *
  1730.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1731.      *             Use PageModel::findWithDetails() or PageModel->loadDetails() instead.
  1732.      */
  1733.     public static function getPageDetails($intId)
  1734.     {
  1735.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getPageDetails()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\PageModel::findWithDetails()" or "Contao\PageModel->loadDetails()" instead.');
  1736.         if ($intId instanceof PageModel)
  1737.         {
  1738.             return $intId->loadDetails();
  1739.         }
  1740.         if ($intId instanceof Collection)
  1741.         {
  1742.             /** @var PageModel $objPage */
  1743.             $objPage $intId->current();
  1744.             return $objPage->loadDetails();
  1745.         }
  1746.         if (\is_object($intId))
  1747.         {
  1748.             $strKey __METHOD__ '-' $intId->id;
  1749.             // Try to load from cache
  1750.             if (Cache::has($strKey))
  1751.             {
  1752.                 return Cache::get($strKey);
  1753.             }
  1754.             // Create a model from the database result
  1755.             $objPage = new PageModel();
  1756.             $objPage->setRow($intId->row());
  1757.             $objPage->loadDetails();
  1758.             Cache::set($strKey$objPage);
  1759.             return $objPage;
  1760.         }
  1761.         // Invalid ID
  1762.         if ($intId || !\strlen($intId))
  1763.         {
  1764.             return null;
  1765.         }
  1766.         $strKey __METHOD__ '-' $intId;
  1767.         // Try to load from cache
  1768.         if (Cache::has($strKey))
  1769.         {
  1770.             return Cache::get($strKey);
  1771.         }
  1772.         $objPage PageModel::findWithDetails($intId);
  1773.         Cache::set($strKey$objPage);
  1774.         return $objPage;
  1775.     }
  1776.     /**
  1777.      * Remove old XML files from the share directory
  1778.      *
  1779.      * @param boolean $blnReturn If true, only return the finds and don't delete
  1780.      *
  1781.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1782.      *             Use Automator::purgeXmlFiles() instead.
  1783.      */
  1784.     protected function removeOldFeeds($blnReturn=false)
  1785.     {
  1786.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::removeOldFeeds()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Automator::purgeXmlFiles()" instead.');
  1787.         $this->import(Automator::class, 'Automator');
  1788.         $this->Automator->purgeXmlFiles($blnReturn);
  1789.     }
  1790.     /**
  1791.      * Return true if a class exists (tries to autoload the class)
  1792.      *
  1793.      * @param string $strClass The class name
  1794.      *
  1795.      * @return boolean True if the class exists
  1796.      *
  1797.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1798.      *             Use the PHP function class_exists() instead.
  1799.      */
  1800.     protected function classFileExists($strClass)
  1801.     {
  1802.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::classFileExists()" has been deprecated and will no longer work in Contao 5.0. Use the PHP function "class_exists()" instead.');
  1803.         return class_exists($strClass);
  1804.     }
  1805.     /**
  1806.      * Restore basic entities
  1807.      *
  1808.      * @param string $strBuffer The string with the tags to be replaced
  1809.      *
  1810.      * @return string The string with the original entities
  1811.      *
  1812.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1813.      *             Use StringUtil::restoreBasicEntities() instead.
  1814.      */
  1815.     public static function restoreBasicEntities($strBuffer)
  1816.     {
  1817.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::restoreBasicEntities()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\StringUtil::restoreBasicEntities()" instead.');
  1818.         return StringUtil::restoreBasicEntities($strBuffer);
  1819.     }
  1820.     /**
  1821.      * Resize an image and crop it if necessary
  1822.      *
  1823.      * @param string  $image  The image path
  1824.      * @param integer $width  The target width
  1825.      * @param integer $height The target height
  1826.      * @param string  $mode   An optional resize mode
  1827.      *
  1828.      * @return boolean True if the image has been resized correctly
  1829.      *
  1830.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1831.      *             Use Image::resize() instead.
  1832.      */
  1833.     protected function resizeImage($image$width$height$mode='')
  1834.     {
  1835.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::resizeImage()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Image::resize()" instead.');
  1836.         return Image::resize($image$width$height$mode);
  1837.     }
  1838.     /**
  1839.      * Resize an image and crop it if necessary
  1840.      *
  1841.      * @param string  $image  The image path
  1842.      * @param integer $width  The target width
  1843.      * @param integer $height The target height
  1844.      * @param string  $mode   An optional resize mode
  1845.      * @param string  $target An optional target to be replaced
  1846.      * @param boolean $force  Override existing target images
  1847.      *
  1848.      * @return string|null The image path or null
  1849.      *
  1850.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1851.      *             Use Image::get() instead.
  1852.      */
  1853.     protected function getImage($image$width$height$mode=''$target=null$force=false)
  1854.     {
  1855.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getImage()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Image::get()" instead.');
  1856.         return Image::get($image$width$height$mode$target$force);
  1857.     }
  1858.     /**
  1859.      * Generate an image tag and return it as string
  1860.      *
  1861.      * @param string $src        The image path
  1862.      * @param string $alt        An optional alt attribute
  1863.      * @param string $attributes A string of other attributes
  1864.      *
  1865.      * @return string The image HTML tag
  1866.      *
  1867.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1868.      *             Use Image::getHtml() instead.
  1869.      */
  1870.     public static function generateImage($src$alt=''$attributes='')
  1871.     {
  1872.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::generateImage()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Image::getHtml()" instead.');
  1873.         return Image::getHtml($src$alt$attributes);
  1874.     }
  1875.     /**
  1876.      * Return the date picker string (see #3218)
  1877.      *
  1878.      * @return boolean
  1879.      *
  1880.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1881.      *             Specify "datepicker"=>true in your DCA file instead.
  1882.      */
  1883.     protected function getDatePickerString()
  1884.     {
  1885.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getDatePickerString()" has been deprecated and will no longer work in Contao 5.0. Specify "\'datepicker\' => true" in your DCA file instead.');
  1886.         return true;
  1887.     }
  1888.     /**
  1889.      * Return the installed back end languages as array
  1890.      *
  1891.      * @return array An array of available back end languages
  1892.      *
  1893.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1894.      *             Use the Contao\CoreBundle\Intl\Locales service instead.
  1895.      */
  1896.     protected function getBackendLanguages()
  1897.     {
  1898.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getBackendLanguages()" has been deprecated and will no longer work in Contao 5.0. Use the Contao\CoreBundle\Intl\Locales service instead.');
  1899.         return $this->getLanguages(true);
  1900.     }
  1901.     /**
  1902.      * Parse simple tokens that can be used to personalize newsletters
  1903.      *
  1904.      * @param string $strBuffer The text with the tokens to be replaced
  1905.      * @param array  $arrData   The replacement data as array
  1906.      *
  1907.      * @return string The text with the replaced tokens
  1908.      *
  1909.      * @deprecated Deprecated since Contao 4.10, to be removed in Contao 5.0;
  1910.      *             Use the contao.string.simple_token_parser service instead.
  1911.      */
  1912.     protected function parseSimpleTokens($strBuffer$arrData)
  1913.     {
  1914.         trigger_deprecation('contao/core-bundle''4.10''Using "Contao\Controller::parseSimpleTokens()" has been deprecated and will no longer work in Contao 5.0. Use the "contao.string.simple_token_parser" service instead.');
  1915.         return System::getContainer()->get('contao.string.simple_token_parser')->parse($strBuffer$arrData);
  1916.     }
  1917.     /**
  1918.      * Convert a DCA file configuration to be used with widgets
  1919.      *
  1920.      * @param array  $arrData  The field configuration array
  1921.      * @param string $strName  The field name in the form
  1922.      * @param mixed  $varValue The field value
  1923.      * @param string $strField The field name in the database
  1924.      * @param string $strTable The table name
  1925.      *
  1926.      * @return array An array that can be passed to a widget
  1927.      *
  1928.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1929.      *             Use Widget::getAttributesFromDca() instead.
  1930.      */
  1931.     protected function prepareForWidget($arrData$strName$varValue=null$strField=''$strTable='')
  1932.     {
  1933.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::prepareForWidget()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Widget::getAttributesFromDca()" instead.');
  1934.         return Widget::getAttributesFromDca($arrData$strName$varValue$strField$strTable);
  1935.     }
  1936.     /**
  1937.      * Return the IDs of all child records of a particular record (see #2475)
  1938.      *
  1939.      * @param mixed   $arrParentIds An array of parent IDs
  1940.      * @param string  $strTable     The table name
  1941.      * @param boolean $blnSorting   True if the table has a sorting field
  1942.      * @param array   $arrReturn    The array to be returned
  1943.      * @param string  $strWhere     Additional WHERE condition
  1944.      *
  1945.      * @return array An array of child record IDs
  1946.      *
  1947.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1948.      *             Use Database::getChildRecords() instead.
  1949.      */
  1950.     protected function getChildRecords($arrParentIds$strTable$blnSorting=false$arrReturn=array(), $strWhere='')
  1951.     {
  1952.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getChildRecords()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Database::getChildRecords()" instead.');
  1953.         return $this->Database->getChildRecords($arrParentIds$strTable$blnSorting$arrReturn$strWhere);
  1954.     }
  1955.     /**
  1956.      * Return the IDs of all parent records of a particular record
  1957.      *
  1958.      * @param integer $intId    The ID of the record
  1959.      * @param string  $strTable The table name
  1960.      *
  1961.      * @return array An array of parent record IDs
  1962.      *
  1963.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1964.      *             Use Database::getParentRecords() instead.
  1965.      */
  1966.     protected function getParentRecords($intId$strTable)
  1967.     {
  1968.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getParentRecords()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Database::getParentRecords()" instead.');
  1969.         return $this->Database->getParentRecords($intId$strTable);
  1970.     }
  1971.     /**
  1972.      * Print an article as PDF and stream it to the browser
  1973.      *
  1974.      * @param ModuleModel $objArticle An article object
  1975.      *
  1976.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1977.      *             Use ModuleArticle->generatePdf() instead.
  1978.      */
  1979.     protected function printArticleAsPdf($objArticle)
  1980.     {
  1981.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::printArticleAsPdf()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\ModuleArticle->generatePdf()" instead.');
  1982.         $objArticle = new ModuleArticle($objArticle);
  1983.         $objArticle->generatePdf();
  1984.     }
  1985.     /**
  1986.      * Return all page sections as array
  1987.      *
  1988.      * @return array An array of active page sections
  1989.      *
  1990.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  1991.      *             See https://github.com/contao/core/issues/4693.
  1992.      */
  1993.     public static function getPageSections()
  1994.     {
  1995.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::getPageSections()" has been deprecated and will no longer work in Contao 5.0.');
  1996.         return array('header''left''right''main''footer');
  1997.     }
  1998.     /**
  1999.      * Return a "selected" attribute if the option is selected
  2000.      *
  2001.      * @param string $strOption The option to check
  2002.      * @param mixed  $varValues One or more values to check against
  2003.      *
  2004.      * @return string The attribute or an empty string
  2005.      *
  2006.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  2007.      *             Use Widget::optionSelected() instead.
  2008.      */
  2009.     public static function optionSelected($strOption$varValues)
  2010.     {
  2011.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::optionSelected()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Widget::optionSelected()" instead.');
  2012.         return Widget::optionSelected($strOption$varValues);
  2013.     }
  2014.     /**
  2015.      * Return a "checked" attribute if the option is checked
  2016.      *
  2017.      * @param string $strOption The option to check
  2018.      * @param mixed  $varValues One or more values to check against
  2019.      *
  2020.      * @return string The attribute or an empty string
  2021.      *
  2022.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  2023.      *             Use Widget::optionChecked() instead.
  2024.      */
  2025.     public static function optionChecked($strOption$varValues)
  2026.     {
  2027.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::optionChecked()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Widget::optionChecked()" instead.');
  2028.         return Widget::optionChecked($strOption$varValues);
  2029.     }
  2030.     /**
  2031.      * Find a content element in the TL_CTE array and return the class name
  2032.      *
  2033.      * @param string $strName The content element name
  2034.      *
  2035.      * @return string The class name
  2036.      *
  2037.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  2038.      *             Use ContentElement::findClass() instead.
  2039.      */
  2040.     public static function findContentElement($strName)
  2041.     {
  2042.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::findContentElement()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\ContentElement::findClass()" instead.');
  2043.         return ContentElement::findClass($strName);
  2044.     }
  2045.     /**
  2046.      * Find a front end module in the FE_MOD array and return the class name
  2047.      *
  2048.      * @param string $strName The front end module name
  2049.      *
  2050.      * @return string The class name
  2051.      *
  2052.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  2053.      *             Use Module::findClass() instead.
  2054.      */
  2055.     public static function findFrontendModule($strName)
  2056.     {
  2057.         trigger_deprecation('contao/core-bundle''4.0''Using Contao\Controller::findFrontendModule() has been deprecated and will no longer work in Contao 5.0. Use Contao\Module::findClass() instead.');
  2058.         return Module::findClass($strName);
  2059.     }
  2060.     /**
  2061.      * Create an initial version of a record
  2062.      *
  2063.      * @param string  $strTable The table name
  2064.      * @param integer $intId    The ID of the element to be versioned
  2065.      *
  2066.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  2067.      *             Use Versions->initialize() instead.
  2068.      */
  2069.     protected function createInitialVersion($strTable$intId)
  2070.     {
  2071.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::createInitialVersion()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Versions->initialize()" instead.');
  2072.         $objVersions = new Versions($strTable$intId);
  2073.         $objVersions->initialize();
  2074.     }
  2075.     /**
  2076.      * Create a new version of a record
  2077.      *
  2078.      * @param string  $strTable The table name
  2079.      * @param integer $intId    The ID of the element to be versioned
  2080.      *
  2081.      * @deprecated Deprecated since Contao 4.0, to be removed in Contao 5.0.
  2082.      *             Use Versions->create() instead.
  2083.      */
  2084.     protected function createNewVersion($strTable$intId)
  2085.     {
  2086.         trigger_deprecation('contao/core-bundle''4.0''Using "Contao\Controller::createNewVersion()" has been deprecated and will no longer work in Contao 5.0. Use "Contao\Versions->create()" instead.');
  2087.         $objVersions = new Versions($strTable$intId);
  2088.         $objVersions->create();
  2089.     }
  2090.     /**
  2091.      * Return the files matching a GLOB pattern
  2092.      *
  2093.      * @param string $pattern
  2094.      *
  2095.      * @return array|false
  2096.      */
  2097.     protected static function braceGlob($pattern)
  2098.     {
  2099.         // Use glob() if possible
  2100.         if (false === strpos($pattern'/**/') && (\defined('GLOB_BRACE') || false === strpos($pattern'{')))
  2101.         {
  2102.             return glob($pattern\defined('GLOB_BRACE') ? GLOB_BRACE 0);
  2103.         }
  2104.         $finder = new Finder();
  2105.         $regex Glob::toRegex($pattern);
  2106.         // All files in the given template folder
  2107.         $filesIterator $finder
  2108.             ->files()
  2109.             ->followLinks()
  2110.             ->sortByName()
  2111.             ->in(\dirname($pattern))
  2112.         ;
  2113.         // Match the actual regex and filter the files
  2114.         $filesIterator $filesIterator->filter(static function (\SplFileInfo $info) use ($regex)
  2115.         {
  2116.             $path $info->getPathname();
  2117.             return preg_match($regex$path) && $info->isFile();
  2118.         });
  2119.         $files iterator_to_array($filesIterator);
  2120.         return array_keys($files);
  2121.     }
  2122. }
  2123. class_alias(Controller::class, 'Controller');