Passed
Pull Request — master (#75)
by
unknown
12:45 queued 47s
created

View::setLanguage()   A

Complexity

Conditions 1
Paths 1

Size

Total Lines 3
Code Lines 1

Duplication

Lines 0
Ratio 0 %

Code Coverage

Tests 0
CRAP Score 2

Importance

Changes 0
Metric Value
eloc 1
c 0
b 0
f 0
dl 0
loc 3
rs 10
ccs 0
cts 1
cp 0
cc 1
nc 1
nop 1
crap 2
1
<?php
2
3
declare(strict_types=1);
4
5
namespace Yiisoft\View;
6
7
use Psr\EventDispatcher\EventDispatcherInterface;
8
use Psr\Log\LoggerInterface;
9
use Yiisoft\I18n\Locale;
10
use Yiisoft\View\Event\AfterRender;
11
use Yiisoft\View\Event\BeforeRender;
12
use Yiisoft\View\Event\PageBegin;
13
use Yiisoft\View\Event\PageEnd;
14
use Yiisoft\View\Exception\ViewNotFoundException;
15
16
/**
17
 * View represents a view object in the MVC pattern.
18
 *
19
 * View provides a set of methods (e.g. {@see render()}) for rendering purpose.
20
 *
21
 * For more details and usage information on View, see the [guide article on views](guide:structure-views).
22
 */
23
class View implements DynamicContentAwareInterface
24
{
25
    /**
26
     * @var string $basePath view path
27
     */
28
    private string $basePath;
29
30
    /**
31
     * @var array a list of named output blocks. The keys are the block names and the values are the corresponding block
32
     * content. You can call {@see beginBlock()} and {@see endBlock()} to capture small fragments of a view.
33
     * They can be later accessed somewhere else through this property.
34
     */
35
    private array $blocks;
36
37
    /**
38
     * @var ViewContextInterface the context under which the {@see {renderFile()} method is being invoked.
39
     */
40
    private ?ViewContextInterface $context = null;
41
42
    /**
43
     * @var string the default view file extension. This will be appended to view file names if they don't have file
44
     * extensions.
45
     */
46
    private string $defaultExtension = 'php';
47
48
    /**
49
     * @var array custom parameters that are shared among view templates.
50
     */
51
    private array $defaultParameters = [];
52
53
    /**
54
     * @var EventDispatcherInterface $eventDispatcher
55
     */
56
    protected EventDispatcherInterface $eventDispatcher;
57
58
    /**
59
     * @var array a list of available renderers indexed by their corresponding supported file extensions. Each renderer
60
     * may be a view renderer object or the configuration for creating the renderer object. For example, the
61
     * following configuration enables the Twig view renderer:
62
     *
63
     * ```php
64
     * [
65
     *     'twig' => ['__class' => \Yiisoft\Yii\Twig\ViewRenderer::class],
66
     * ]
67
     * ```
68
     *
69
     * If no renderer is available for the given view file, the view file will be treated as a normal PHP and rendered
70
     * via PhpTemplateRenderer.
71
     */
72
    protected array $renderers = [];
73
74
    /**
75
     * @var Theme the theme object.
76
     */
77
    protected Theme $theme;
78
79
    /**
80
     * @var DynamicContentAwareInterface[] a list of currently active dynamic content class instances.
81
     */
82
    private $cacheStack = [];
83
84
    /**
85
     * @var array a list of placeholders for embedding dynamic contents.
86
     */
87
    private array $dynamicPlaceholders = [];
88
89
    /**
90
     * @var string $language
91
     */
92
    private string $language = 'en';
93
94
    /**
95
     * @var LoggerInterface $logger
96
     */
97
    private LoggerInterface $logger;
98
99
    /**
100
     * @var string $sourceLanguage
101
     */
102
    private string $sourceLanguage = 'en';
103
104
    /**
105
     * @var Locale source locale used to find localized view file.
106
     */
107
    private $sourceLocale;
108
109
    private string $placeholderSalt = __DIR__;
110
111
    /**
112
     * @var array the view files currently being rendered. There may be multiple view files being
113
     * rendered at a moment because one view may be rendered within another.
114
     */
115 16
    private array $viewFiles = [];
116
117 16
    public function __construct(string $basePath, Theme $theme, EventDispatcherInterface $eventDispatcher, LoggerInterface $logger)
118 16
    {
119 16
        $this->basePath = $basePath;
120 16
        $this->theme = $theme;
121
        $this->eventDispatcher = $eventDispatcher;
122
        $this->logger = $logger;
123
    }
124
125
    public function setPlaceholderSalt(string $salt): void
126
    {
127
        $this->placeholderSalt = $salt;
128
    }
129
130
    public function getPlaceholderSignature(): string
131
    {
132
        return md5($this->placeholderSalt);
133
    }
134
135
    public function getBasePath(): string
136
    {
137
        return $this->basePath;
138
    }
139
140
    public function setRenderers(array $renderers): void
141
    {
142
        $this->renderers = $renderers;
143
    }
144
145
    public function setSourceLanguage(string $language): void
146
    {
147
        $this->sourceLanguage = $language;
148
    }
149
150
    public function setLanguage(string $language): void
151
    {
152
        $this->language = $language;
153
    }
154
155
    public function setContext(ViewContextInterface $context): void
156
    {
157
        $this->context = $context;
158
    }
159
160
    public function getDefaultExtension(): string
161
    {
162
        return $this->defaultExtension;
163 2
    }
164
165 2
    public function setDefaultExtension(string $defaultExtension): void
166
    {
167
        $this->defaultExtension = $defaultExtension;
168
    }
169
170
    public function getDefaultParameters(): array
171
    {
172
        return $this->defaultParameters;
173
    }
174
175
    public function setDefaultParameters(array $defaultParameters): void
176
    {
177
        $this->defaultParameters = $defaultParameters;
178
    }
179
180
    /**
181
     * {@see blocks}
182
     *
183
     * @param string $id
184
     * @param string $value
185
     *
186
     * @return void
187
     */
188
    public function setBlocks(string $id, string $value): void
189
    {
190
        $this->blocks[$id] = $value;
191
    }
192
193
    /**
194
     * {@see blocks}
195
     *
196
     * @param string $value
197
     *
198
     * @return string
199
     */
200
    public function getBlock(string $value): string
201
    {
202
        if (isset($this->blocks[$value])) {
203
            return $this->blocks[$value];
204
        }
205
206
        throw new \InvalidArgumentException('Block: ' . $value.  ' not found.');
207
    }
208
209
    /**
210
     * Renders a view.
211
     *
212
     * The view to be rendered can be specified in one of the following formats:
213
     *
214
     * - [path alias](guide:concept-aliases) (e.g. "@app/views/site/index");
215
     * - absolute path within application (e.g. "//site/index"): the view name starts with double slashes. The actual
216
     *   view file will be looked for under the [[Application::viewPath|view path]] of the application.
217
     * - absolute path within current module (e.g. "/site/index"): the view name starts with a single slash. The actual
218
     *   view file will be looked for under the [[Module::viewPath|view path]] of the [[Controller::module|current module]].
219
     * - relative view (e.g. "index"): the view name does not start with `@` or `/`. The corresponding view file will be
220
     *   looked for under the {@see ViewContextInterface::getViewPath()|view path} of the view `$context`.
221
     *   If `$context` is not given, it will be looked for under the directory containing the view currently
222
     *   being rendered (i.e., this happens when rendering a view within another view).
223
     *
224
     * @param string $view the view name.
225
     * @param array $parameters the parameters (name-value pairs) that will be extracted and made available in the view
226
     * file.
227 4
     * @param ViewContextInterface|null $context the context to be assigned to the view and can later be accessed via
228
     * [[context]] in the view. If the context implements {@see ViewContextInterface}, it may also be used to locate
229 4
     * the view file corresponding to a relative view name.
230
     *
231 4
     * @return string the rendering result
232
     *
233
     * @throws InvalidCallException  if the view cannot be resolved.
234
     * @throws ViewNotFoundException if the view file does not exist.
235
     * @throws \Throwable
236
     *
237
     * {@see renderFile()}
238
     */
239
    public function render(string $view, array $parameters = [], ?ViewContextInterface $context = null): string
240
    {
241
        $viewFile = $this->findTemplateFile($view, $context);
242
243
        return $this->renderFile($viewFile, $parameters, $context);
244
    }
245
246
    /**
247
     * Finds the view file based on the given view name.
248 4
     *
249
     * @param string $view the view name or the [path alias](guide:concept-aliases) of the view file. Please refer to
250 4
     * {@see render()} on how to specify this parameter.
251
     * @param ViewContextInterface|null $context the context to be assigned to the view and can later be accessed via
252 4
     * [[context]] in the view. If the context implements [[ViewContextInterface]], it may also be used to locate the
253 1
     * view file corresponding to a relative view name.
254
     *
255
     * @throws InvalidCallException if a relative view name is given while there is no active context to determine the
256 1
     * corresponding view file.
257
     *
258 1
     * @return string the view file path. Note that the file may not exist.
259
     */
260
    protected function findTemplateFile(string $view, ?ViewContextInterface $context = null): string
261
    {
262
        if (strncmp($view, '//', 2) === 0) {
263 4
            // path relative to basePath e.g. "//layouts/main"
264 1
            $file = $this->basePath . '/' . ltrim($view, '/');
265
        } elseif ($context instanceof ViewContextInterface) {
266
            // path provided by context
267 3
            $file = $context->getViewPath() . '/' . $view;
268
        } elseif (($currentViewFile = $this->getRequestedViewFile()) !== false) {
269 3
            // path relative to currently rendered view
270
            $file = dirname($currentViewFile) . '/' . $view;
0 ignored issues
show
Bug introduced by
It seems like $currentViewFile can also be of type true; however, parameter $path of dirname() does only seem to accept string, maybe add an additional type check? ( Ignorable by Annotation )

If this is a false-positive, you can also ignore this issue in your code via the ignore-type  annotation

270
            $file = dirname(/** @scrutinizer ignore-type */ $currentViewFile) . '/' . $view;
Loading history...
271
        } else {
272
            throw new \RuntimeException("Unable to resolve view file for view '$view': no active view context.");
273 3
        }
274
275
        if (pathinfo($file, PATHINFO_EXTENSION) !== '') {
276
            return $file;
277
        }
278
279
        $path = $file . '.' . $this->defaultExtension;
280
281
        if ($this->defaultExtension !== 'php' && !is_file($path)) {
282
            $path = $file . '.php';
283
        }
284
285
        return $path;
286
    }
287
288
    /**
289
     * Renders a view file.
290
     *
291
     * If {@see theme} is enabled (not null), it will try to render the themed version of the view file as long as it
292
     * is available.
293
     *
294
     * If {@see renderers|renderer} is enabled (not null), the method will use it to render the view file. Otherwise,
295
     * it will simply include the view file as a normal PHP file, capture its output and
296
     * return it as a string.
297 7
     *
298
     * @param string $viewFile the view file. This can be either an absolute file path or an alias of it.
299 7
     * @param array $parameters the parameters (name-value pairs) that will be extracted and made available in the view
300
     * file.
301
     * @param ViewContextInterface|null $context the context that the view should use for rendering the view. If null,
302 7
     * existing [[context]] will be used.
303
     *
304 7
     * @return string the rendering result
305 7
     * @throws \Throwable
306
     *
307
     * @throws ViewNotFoundException if the view file does not exist
308 7
     */
309 7
    public function renderFile(string $viewFile, array $parameters = [], ?ViewContextInterface $context = null): string
310
    {
311
        $parameters = array_merge($this->defaultParameters, $parameters);
312
313
        // TODO: these two match now
314 7
        $requestedFile = $viewFile;
315 7
316
        if (!empty($this->theme)) {
317
            $viewFile = $this->theme->applyTo($viewFile);
318 7
        }
319 7
320 7
        if (is_file($viewFile)) {
321 7
            $viewFile = $this->localize($viewFile);
322
        } else {
323
            throw new ViewNotFoundException("The view file does not exist: $viewFile");
324 7
        }
325 7
326 7
        $oldContext = $this->context;
327 7
        if ($context !== null) {
328 7
            $this->context = $context;
329
        }
330 7
        $output = '';
331
        $this->viewFiles[] = [
332
            'resolved' => $viewFile,
333 7
            'requested' => $requestedFile,
334 7
        ];
335
336 7
        if ($this->beforeRender($viewFile, $parameters)) {
337
            $this->logger->debug("Rendering view file: $viewFile");
338
            $ext = pathinfo($viewFile, PATHINFO_EXTENSION);
339
            $renderer = $this->renderers[$ext] ?? new PhpTemplateRenderer();
340
            $output = $renderer->render($this, $viewFile, $parameters);
341
342
            $output = $this->afterRender($viewFile, $parameters, $output);
343
        }
344
345
        array_pop($this->viewFiles);
346
        $this->context = $oldContext;
347
348
        return $output;
349
    }
350
351
    /**
352
     * Returns the localized version of a specified file.
353
     *
354
     * The searching is based on the specified language code. In particular, a file with the same name will be looked
355
     * for under the subdirectory whose name is the same as the language code. For example, given the file
356
     * "path/to/view.php" and language code "zh-CN", the localized file will be looked for as path/to/zh-CN/view.php".
357 8
     * If the file is not found, it will try a fallback with just a language code that is "zh" i.e. "path/to/zh/view.php".
358
     * If it is not found as well the original file will be returned.
359 8
     *
360 8
     * If the target and the source language codes are the same, the original file will be returned.
361
     *
362 8
     * @param string $file the original file
363 8
     * @param string|null $language the target language that the file should be localized to.
364
     * @param string|null $sourceLanguage the language that the original file is in.
365 1
     *
366 1
     * @return string the matching localized file, or the original file if the localized version is not found.
367 1
     * If the target and the source language codes are the same, the original file will be returned.
368
     */
369
    public function localize(string $file, ?string $language = null, ?string $sourceLanguage = null): string
370
    {
371
        $language = $language ?? $this->language;
372
        $sourceLanguage = $sourceLanguage ?? $this->sourceLanguage;
373
374
        if ($language === $sourceLanguage) {
375
            return $file;
376
        }
377
        $desiredFile = dirname($file) . DIRECTORY_SEPARATOR . $language . DIRECTORY_SEPARATOR . basename($file);
378
        if (is_file($desiredFile)) {
379
            return $desiredFile;
380
        }
381
382 3
        $language = substr($language, 0, 2);
383
        if ($language === $sourceLanguage) {
384 3
            return $file;
385
        }
386
        $desiredFile = dirname($file) . DIRECTORY_SEPARATOR . $language . DIRECTORY_SEPARATOR . basename($file);
387
388
        return is_file($desiredFile) ? $desiredFile : $file;
389
    }
390 1
391
    /**
392 1
     * @return string|bool the view file currently being rendered. False if no view file is being rendered.
393
     */
394
    public function getViewFile()
395
    {
396
        return empty($this->viewFiles) ? false : end($this->viewFiles)['resolved'];
397
    }
398
399
    /**
400
     * @return string|bool the requested view currently being rendered. False if no view file is being rendered.
401
     */
402
    protected function getRequestedViewFile()
403
    {
404
        return empty($this->viewFiles) ? false : end($this->viewFiles)['requested'];
405
    }
406 7
407
    /**
408 7
     * This method is invoked right before {@see renderFile()} renders a view file.
409 7
     *
410
     * The default implementation will trigger the {@see BeforeRender()} event. If you override this method, make sure
411 7
     * you call the parent implementation first.
412
     *
413
     * @param string $viewFile the view file to be rendered.
414
     * @param array $parameters the parameter array passed to the {@see render()} method.
415
     *
416
     * @return bool whether to continue rendering the view file.
417
     */
418
    public function beforeRender(string $viewFile, array $parameters): bool
419
    {
420
        $event = new BeforeRender($viewFile, $parameters);
421
        $event = $this->eventDispatcher->dispatch($event);
422
423
        return !$event->isPropagationStopped();
424
    }
425 7
426
    /**
427 7
     * This method is invoked right after {@see renderFile()} renders a view file.
428 7
     *
429
     * The default implementation will trigger the {@see AfterRender} event. If you override this method, make sure you
430 7
     * call the parent implementation first.
431
     *
432
     * @param string $viewFile the view file being rendered.
433
     * @param array $parameters the parameter array passed to the {@see render()} method.
434
     * @param string $output the rendering result of the view file. Updates to this parameter
435
     * will be passed back and returned by {@see renderFile()}.
436
     */
437
    public function afterRender(string $viewFile, array $parameters, &$output): string
438
    {
439
        $event = new AfterRender($viewFile, $parameters, $output);
440
        $event = $this->eventDispatcher->dispatch($event);
441
442
        return $event->getResult();
443
    }
444
445
    /**
446
     * Renders dynamic content returned by the given PHP statements.
447
     *
448
     * This method is mainly used together with content caching (fragment caching and page caching) when some portions
449
     * of the content (called *dynamic content*) should not be cached. The dynamic content must be returned by some PHP
450
     * statements. You can optionally pass additional parameters that will be available as variables in the PHP
451
     * statement:.
452
     *
453
     * ```php
454
     * <?= $this->renderDynamic('return foo($myVar);', [
455
     *     'myVar' => $model->getMyComplexVar(),
456
     * ]) ?>
457
     * ```
458
     *
459
     * @param string $statements the PHP statements for generating the dynamic content.
460
     * @param array $parameters the parameters (name-value pairs) that will be extracted and made
461
     * available in the $statement context. The parameters will be stored in the cache and be reused
462
     * each time $statement is executed. You should make sure, that these are safely serializable.
463
     *
464
     * @return string the placeholder of the dynamic content, or the dynamic content if there is no active content
465
     *                cache currently.
466
     */
467
    public function renderDynamic(string $statements, array $parameters = []): string
468
    {
469
        if (!empty($parameters)) {
470
            $statements = 'extract(unserialize(\'' . str_replace(['\\', '\''], ['\\\\', '\\\''], serialize($parameters)) . '\'));' . $statements;
471
        }
472
473
        if (!empty($this->cacheStack)) {
474
            $n = count($this->dynamicPlaceholders);
475
            $placeholder = "<![CDATA[YII-DYNAMIC-$n-" . $this->getPlaceholderSignature() . "]]>";
476
            $this->addDynamicPlaceholder($placeholder, $statements);
477
478
            return $placeholder;
479
        }
480
481
        return $this->evaluateDynamicContent($statements);
482
    }
483
484
    /**
485
     * Get source locale.
486
     *
487
     * @return Locale
488
     */
489
    public function getSourceLocale(): Locale
490
    {
491
        if ($this->sourceLocale === null) {
492
            $this->sourceLocale = Locale::create('en-US');
0 ignored issues
show
Bug introduced by
The method create() does not exist on Yiisoft\I18n\Locale. ( Ignorable by Annotation )

If this is a false-positive, you can also ignore this issue in your code via the ignore-call  annotation

492
            /** @scrutinizer ignore-call */ 
493
            $this->sourceLocale = Locale::create('en-US');

This check looks for calls to methods that do not seem to exist on a given type. It looks for the method on the type itself as well as in inherited classes or implemented interfaces.

This is most likely a typographical error or the method has been renamed.

Loading history...
493
        }
494
495
        return $this->sourceLocale;
496
    }
497
498
    /**
499
     * Set source locale.
500
     *
501
     * @param string $locale
502
     * @return self
503
     */
504
    public function setSourceLocale(string $locale): self
505
    {
506
        $this->sourceLocale = Locale::create($locale);
507
508
        return $this;
509
    }
510
511
    public function getDynamicPlaceholders(): array
512
    {
513
        return $this->dynamicPlaceholders;
514
    }
515
516
    public function setDynamicPlaceholders(array $placeholders): void
517
    {
518
        $this->dynamicPlaceholders = $placeholders;
519
    }
520
521
    public function addDynamicPlaceholder(string $placeholder, string $statements): void
522
    {
523
        foreach ($this->cacheStack as $cache) {
524
            $cache->addDynamicPlaceholder($placeholder, $statements);
525
        }
526
527
        $this->dynamicPlaceholders[$placeholder] = $statements;
528
    }
529
530
    /**
531
     * Evaluates the given PHP statements.
532
     *
533
     * This method is mainly used internally to implement dynamic content feature.
534
     *
535
     * @param string $statements the PHP statements to be evaluated.
536
     *
537
     * @return mixed the return value of the PHP statements.
538
     */
539
    public function evaluateDynamicContent(string $statements)
540
    {
541
        return eval($statements);
0 ignored issues
show
introduced by
The use of eval() is discouraged.
Loading history...
542
    }
543
544
    /**
545
     * Returns a list of currently active dynamic content class instances.
546
     *
547
     * @return DynamicContentAwareInterface[] class instances supporting dynamic contents.
548
     */
549
    public function getDynamicContents(): array
550
    {
551
        return $this->cacheStack;
552
    }
553
554
    /**
555
     * Adds a class instance supporting dynamic contents to the end of a list of currently active dynamic content class
556
     * instances.
557
     *
558
     * @param DynamicContentAwareInterface $instance class instance supporting dynamic contents.
559
     *
560
     * @return void
561
     */
562
    public function pushDynamicContent(DynamicContentAwareInterface $instance): void
563
    {
564
        $this->cacheStack[] = $instance;
565
    }
566
567
    /**
568
     * Removes a last class instance supporting dynamic contents from a list of currently active dynamic content class
569
     * instances.
570
     *
571 3
     * @return void
572
     */
573 3
    public function popDynamicContent(): void
574 3
    {
575
        array_pop($this->cacheStack);
576 3
    }
577
578
    /**
579
     * Marks the beginning of a page.
580
     *
581
     * @return void
582
     */
583
    public function beginPage(): void
584
    {
585
        ob_start();
586
        ob_implicit_flush(0);
587
588
        $this->eventDispatcher->dispatch(new PageBegin($this->getViewFile()));
0 ignored issues
show
Bug introduced by
It seems like $this->getViewFile() can also be of type boolean; however, parameter $file of Yiisoft\View\Event\PageBegin::__construct() does only seem to accept string, maybe add an additional type check? ( Ignorable by Annotation )

If this is a false-positive, you can also ignore this issue in your code via the ignore-type  annotation

588
        $this->eventDispatcher->dispatch(new PageBegin(/** @scrutinizer ignore-type */ $this->getViewFile()));
Loading history...
589
    }
590
591
    /**
592
     * Marks the ending of a page.
593
     *
594
     * @return void
595
     */
596
    public function endPage(): void
597
    {
598
        $this->eventDispatcher->dispatch(new PageEnd($this->getViewFile()));
0 ignored issues
show
Bug introduced by
It seems like $this->getViewFile() can also be of type boolean; however, parameter $file of Yiisoft\View\Event\PageEnd::__construct() does only seem to accept string, maybe add an additional type check? ( Ignorable by Annotation )

If this is a false-positive, you can also ignore this issue in your code via the ignore-type  annotation

598
        $this->eventDispatcher->dispatch(new PageEnd(/** @scrutinizer ignore-type */ $this->getViewFile()));
Loading history...
599
        ob_end_flush();
600
    }
601
}
602