core/lib/Thelia/Action/Translation.php line 257

  1. <?php
  2. /*
  3.  * This file is part of the Thelia package.
  4.  * http://www.thelia.net
  5.  *
  6.  * (c) OpenStudio <info@thelia.net>
  7.  *
  8.  * For the full copyright and license information, please view the LICENSE
  9.  * file that was distributed with this source code.
  10.  */
  11. namespace Thelia\Action;
  12. use Symfony\Component\DependencyInjection\ContainerInterface;
  13. use Symfony\Component\EventDispatcher\EventDispatcherInterface;
  14. use Symfony\Component\EventDispatcher\EventSubscriberInterface;
  15. use Symfony\Component\Filesystem\Filesystem;
  16. use Thelia\Core\Event\Cache\CacheEvent;
  17. use Thelia\Core\Event\TheliaEvents;
  18. use Thelia\Core\Event\Translation\TranslationEvent;
  19. use Thelia\Core\Translation\Translator;
  20. use Thelia\Log\Tlog;
  21. /**
  22.  * Class Translation.
  23.  *
  24.  * @author Manuel Raynaud <manu@raynaud.io>
  25.  */
  26. class Translation extends BaseAction implements EventSubscriberInterface
  27. {
  28.     /** @var ContainerInterface */
  29.     protected $container;
  30.     public function __construct(ContainerInterface $container)
  31.     {
  32.         $this->container $container;
  33.     }
  34.     public function getTranslatableStrings(TranslationEvent $event): void
  35.     {
  36.         $strings = [];
  37.         $stringCount $this->walkDir(
  38.             $event->getDirectory(),
  39.             $event->getMode(),
  40.             $event->getLocale(),
  41.             $event->getDomain(),
  42.             $strings
  43.         );
  44.         $event
  45.             ->setTranslatableStrings($strings)
  46.             ->setTranslatableStringCount($stringCount)
  47.         ;
  48.     }
  49.     /**
  50.      * Recursively examine files in a directory tree, and extract translatable strings.
  51.      *
  52.      * Returns an array of translatable strings, each item having with the following structure:
  53.      * 'files' an array of file names in which the string appears,
  54.      * 'text' the translatable text
  55.      * 'translation' => the text translation, or an empty string if none available.
  56.      * 'dollar'  => true if the translatable text contains a $
  57.      *
  58.      * @param string $directory     the path to the directory to examine
  59.      * @param string $walkMode      type of file scanning: WALK_MODE_PHP or WALK_MODE_TEMPLATE
  60.      * @param string $currentLocale the current locale
  61.      * @param string $domain        the translation domain (fontoffice, backoffice, module, etc...)
  62.      * @param array  $strings       the list of strings
  63.      *
  64.      * @throws \InvalidArgumentException if $walkMode contains an invalid value
  65.      *
  66.      * @return number the total number of translatable texts
  67.      */
  68.     protected function walkDir(string $directorystring $walkModestring $currentLocalestring $domain, array &$strings)
  69.     {
  70.         $numTexts 0;
  71.         if ($walkMode == TranslationEvent::WALK_MODE_PHP) {
  72.             $prefix '\-\>[\s]*trans[\s]*\([\s]*';
  73.             $allowedExts = ['php'];
  74.         } elseif ($walkMode == TranslationEvent::WALK_MODE_TEMPLATE) {
  75.             $prefix '\{intl(?:.*?)[\s]l=[\s]*';
  76.             $allowedExts = ['html''tpl''xml''txt'];
  77.         } else {
  78.             throw new \InvalidArgumentException(
  79.                 Translator::getInstance()->trans(
  80.                     'Invalid value for walkMode parameter: %value',
  81.                     ['%value' => $walkMode]
  82.                 )
  83.             );
  84.         }
  85.         try {
  86.             Tlog::getInstance()->debug("Walking in $directory, in mode $walkMode");
  87.             /** @var \DirectoryIterator $fileInfo */
  88.             foreach (new \DirectoryIterator($directory) as $fileInfo) {
  89.                 if ($fileInfo->isDot()) {
  90.                     continue;
  91.                 }
  92.                 if ($fileInfo->isDir()) {
  93.                     $numTexts += $this->walkDir(
  94.                         $fileInfo->getPathName(),
  95.                         $walkMode,
  96.                         $currentLocale,
  97.                         $domain,
  98.                         $strings
  99.                     );
  100.                 }
  101.                 if ($fileInfo->isFile()) {
  102.                     $ext $fileInfo->getExtension();
  103.                     if (\in_array($ext$allowedExts)) {
  104.                         if ($content file_get_contents($fileInfo->getPathName())) {
  105.                             $short_path $this->normalizePath($fileInfo->getPathName());
  106.                             Tlog::getInstance()->debug("Examining file $short_path\n");
  107.                             $matches = [];
  108.                             if (preg_match_all(
  109.                                 '/'.$prefix.'((?<![\\\\])[\'"])((?:.(?!(?<![\\\\])\1))*.?)*?\1/ms',
  110.                                 $content,
  111.                                 $matches
  112.                             )) {
  113.                                 Tlog::getInstance()->debug('Strings found: '$matches[2]);
  114.                                 $idx 0;
  115.                                 foreach ($matches[2] as $match) {
  116.                                     $hash md5($match);
  117.                                     if (isset($strings[$hash])) {
  118.                                         if (!\in_array($short_path$strings[$hash]['files'])) {
  119.                                             $strings[$hash]['files'][] = $short_path;
  120.                                         }
  121.                                     } else {
  122.                                         ++$numTexts;
  123.                                         // remove \' (or \"), that will prevent the translator to work properly, as
  124.                                         // "abc \def\" ghi" will be passed as abc "def" ghi to the translator.
  125.                                         $quote $matches[1][$idx];
  126.                                         $match str_replace("\\$quote"$quote$match);
  127.                                         // Ignore empty strings
  128.                                         if (\strlen($match) == 0) {
  129.                                             continue;
  130.                                         }
  131.                                         $strings[$hash] = [
  132.                                             'files' => [$short_path],
  133.                                             'text' => $match,
  134.                                             'translation' => Translator::getInstance()->trans(
  135.                                                 $match,
  136.                                                 [],
  137.                                                 $domain,
  138.                                                 $currentLocale,
  139.                                                 false,
  140.                                                 false
  141.                                             ),
  142.                                             'custom_fallback' => Translator::getInstance()->trans(
  143.                                                 sprintf(
  144.                                                     Translator::GLOBAL_FALLBACK_KEY,
  145.                                                     $domain,
  146.                                                     $match
  147.                                                 ),
  148.                                                 [],
  149.                                                 Translator::GLOBAL_FALLBACK_DOMAIN,
  150.                                                 $currentLocale,
  151.                                                 false,
  152.                                                 false
  153.                                             ),
  154.                                             'global_fallback' => Translator::getInstance()->trans(
  155.                                                 $match,
  156.                                                 [],
  157.                                                 Translator::GLOBAL_FALLBACK_DOMAIN,
  158.                                                 $currentLocale,
  159.                                                 false,
  160.                                                 false
  161.                                             ),
  162.                                             'dollar' => strstr($match'$') !== false,
  163.                                         ];
  164.                                     }
  165.                                     ++$idx;
  166.                                 }
  167.                             }
  168.                         }
  169.                     }
  170.                 }
  171.             }
  172.         } catch (\UnexpectedValueException $ex) {
  173.             // Directory does not exists => ignore it.
  174.         }
  175.         return $numTexts;
  176.     }
  177.     public function writeTranslationFile(TranslationEvent $event$eventNameEventDispatcherInterface $dispatcher): void
  178.     {
  179.         $file $event->getTranslationFilePath();
  180.         $fs = new Filesystem();
  181.         if (!$fs->exists($file) && true === $event->isCreateFileIfNotExists()) {
  182.             $dir \dirname($file);
  183.             if (!$fs->exists($file)) {
  184.                 $fs->mkdir($dir);
  185.                 $this->cacheClear($dispatcher);
  186.             }
  187.         }
  188.         if ($fp = @fopen($file'w')) {
  189.             fwrite($fp'<'."?php\n\n");
  190.             fwrite($fp"return array(\n");
  191.             $texts $event->getTranslatableStrings();
  192.             $translations $event->getTranslatedStrings();
  193.             // Sort keys alphabetically while keeping index
  194.             asort($texts);
  195.             foreach ($texts as $key => $text) {
  196.                 // Write only defined (not empty) translations
  197.                 if (!empty($translations[$key])) {
  198.                     $text str_replace("'""\'"$text);
  199.                     $translation str_replace("'""\'"$translations[$key]);
  200.                     fwrite($fpsprintf("    '%s' => '%s',\n"$text$translation));
  201.                 }
  202.             }
  203.             fwrite($fp");\n");
  204.             @fclose($fp);
  205.         } else {
  206.             throw new \RuntimeException(
  207.                 Translator::getInstance()->trans(
  208.                     'Failed to open translation file %file. Please be sure that this file is writable by your Web server',
  209.                     ['%file' => $file]
  210.                 )
  211.             );
  212.         }
  213.     }
  214.     public function writeFallbackFile(TranslationEvent $event$eventNameEventDispatcherInterface $dispatcher): void
  215.     {
  216.         $file THELIA_LOCAL_DIR.'I18n'.DS.$event->getLocale().'.php';
  217.         $fs = new Filesystem();
  218.         $translations = [];
  219.         if (!$fs->exists($file)) {
  220.             if (true === $event->isCreateFileIfNotExists()) {
  221.                 $dir \dirname($file);
  222.                 $fs->mkdir($dir);
  223.                 $this->cacheClear($dispatcher);
  224.             } else {
  225.                 throw new \RuntimeException(
  226.                     Translator::getInstance()->trans(
  227.                         'Failed to open translation file %file. Please be sure that this file is writable by your Web server',
  228.                         ['%file' => $file]
  229.                     )
  230.                 );
  231.             }
  232.         } else {
  233.             /*$loader = new PhpFileLoader();
  234.             $catalogue = $loade     r->load($file);
  235.             $translations = $catalogue->all();
  236.             */
  237.             $translations = require $file;
  238.             if (!\is_array($translations)) {
  239.                 $translations = [];
  240.             }
  241.         }
  242.         if ($fp = @fopen($file'w')) {
  243.             $texts $event->getTranslatableStrings();
  244.             $customs $event->getCustomFallbackStrings();
  245.             $globals $event->getGlobalFallbackStrings();
  246.             // just reset current translations for this domain to remove strings that do not exist anymore
  247.             $translations[$event->getDomain()] = [];
  248.             foreach ($texts as $key => $text) {
  249.                 if (!empty($customs[$key])) {
  250.                     $translations[$event->getDomain()][$text] = $customs[$key];
  251.                 }
  252.                 if (!empty($globals[$key])) {
  253.                     $translations[$text] = $globals[$key];
  254.                 } else {
  255.                     unset($translations[$text]);
  256.                 }
  257.             }
  258.             fwrite($fp'<'."?php\n\n");
  259.             fwrite($fp"return [\n");
  260.             // Sort keys alphabetically while keeping index
  261.             ksort($translations);
  262.             foreach ($translations as $key => $text) {
  263.                 // Write only defined (not empty) translations
  264.                 if (!empty($translations[$key])) {
  265.                     if (\is_array($translations[$key])) {
  266.                         $key str_replace("'""\'"$key);
  267.                         fwrite($fpsprintf("    '%s' => [\n"$key));
  268.                         ksort($translations[$key]);
  269.                         foreach ($translations[$key] as $subKey => $subText) {
  270.                             $subKey str_replace("'""\'"$subKey);
  271.                             $translation str_replace("'""\'"$subText);
  272.                             fwrite($fpsprintf("        '%s' => '%s',\n"$subKey$translation));
  273.                         }
  274.                         fwrite($fp"    ],\n");
  275.                     } else {
  276.                         $key str_replace("'""\'"$key);
  277.                         $translation str_replace("'""\'"$text);
  278.                         fwrite($fpsprintf("    '%s' => '%s',\n"$key$translation));
  279.                     }
  280.                 }
  281.             }
  282.             fwrite($fp"];\n");
  283.             @fclose($fp);
  284.         }
  285.     }
  286.     protected function normalizePath($path)
  287.     {
  288.         $path str_replace(
  289.             str_replace('\\''/'THELIA_ROOT),
  290.             '',
  291.             str_replace('\\''/'realpath($path))
  292.         );
  293.         return ltrim($path'/');
  294.     }
  295.     protected function cacheClear(EventDispatcherInterface $dispatcher): void
  296.     {
  297.         $cacheEvent = new CacheEvent(
  298.             $this->container->getParameter('kernel.cache_dir')
  299.         );
  300.         $dispatcher->dispatch($cacheEventTheliaEvents::CACHE_CLEAR);
  301.     }
  302.     /**
  303.      * {@inheritdoc}
  304.      */
  305.     public static function getSubscribedEvents()
  306.     {
  307.         return [
  308.             TheliaEvents::TRANSLATION_GET_STRINGS => ['getTranslatableStrings'128],
  309.             TheliaEvents::TRANSLATION_WRITE_FILE => [
  310.                 ['writeTranslationFile'128],
  311.                 ['writeFallbackFile'128],
  312.             ],
  313.         ];
  314.     }
  315. }