Passed
Push — master ( 5dfc0a...7e00a0 )
by Alexander
15:40 queued 09:57
created

View::__construct()   A

Complexity

Conditions 1
Paths 1

Size

Total Lines 7
Code Lines 5

Duplication

Lines 0
Ratio 0 %

Code Coverage

Tests 6
CRAP Score 1

Importance

Changes 0
Metric Value
eloc 5
dl 0
loc 7
ccs 6
cts 6
cp 1
rs 10
c 0
b 0
f 0
cc 1
nc 1
nop 4
crap 1
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 View::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|null 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 array $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|null source locale used to find localized view file.
106
     */
107
    private ?Locale $sourceLocale = null;
108
109
    private string $placeholderSignature;
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
    private array $viewFiles = [];
116
117 18
    public function __construct(string $basePath, Theme $theme, EventDispatcherInterface $eventDispatcher, LoggerInterface $logger)
118
    {
119 18
        $this->basePath = $basePath;
120 18
        $this->theme = $theme;
121 18
        $this->eventDispatcher = $eventDispatcher;
122 18
        $this->logger = $logger;
123 18
        $this->setPlaceholderSalt(__DIR__);
124 18
    }
125
126 18
    public function setPlaceholderSalt(string $salt): void
127
    {
128 18
        $this->placeholderSignature = dechex(crc32($salt));
129 18
    }
130
131 5
    public function getPlaceholderSignature(): string
132
    {
133 5
        return $this->placeholderSignature;
134
    }
135
136
    public function getBasePath(): string
137
    {
138
        return $this->basePath;
139
    }
140
141
    public function setRenderers(array $renderers): void
142
    {
143
        $this->renderers = $renderers;
144
    }
145
146
    public function setSourceLanguage(string $language): void
147
    {
148
        $this->sourceLanguage = $language;
149
    }
150
151
    public function setLanguage(string $language): void
152
    {
153
        $this->language = $language;
154
    }
155
156
    public function setContext(ViewContextInterface $context): void
157
    {
158
        $this->context = $context;
159
    }
160
161
    public function getDefaultExtension(): string
162
    {
163
        return $this->defaultExtension;
164
    }
165
166
    public function setDefaultExtension(string $defaultExtension): void
167
    {
168
        $this->defaultExtension = $defaultExtension;
169
    }
170
171
    public function getDefaultParameters(): array
172
    {
173
        return $this->defaultParameters;
174
    }
175
176 2
    public function setDefaultParameters(array $defaultParameters): void
177
    {
178 2
        $this->defaultParameters = $defaultParameters;
179 2
    }
180
181
    /**
182
     * {@see blocks}
183
     *
184
     * @param string $id
185
     * @param string $value
186
     *
187
     * @return void
188
     */
189
    public function setBlock(string $id, string $value): void
190
    {
191
        $this->blocks[$id] = $value;
192
    }
193
194
    /**
195
     * {@see blocks}
196
     *
197
     * @param string $id
198
     *
199
     * @return void
200
     */
201
    public function unsetBlock(string $id): void
202
    {
203
        unset($this->blocks[$id]);
204
    }
205
206
    /**
207
     * {@see blocks}
208
     *
209
     * @param string $id
210
     *
211
     * @return string
212
     */
213
    public function getBlock(string $id): string
214
    {
215
        if (isset($this->blocks[$id])) {
216
            return $this->blocks[$id];
217
        }
218
219
        throw new \InvalidArgumentException('Block: "' . $id . '" not found.');
220
    }
221
222
    /**
223
     * {@see blocks}
224
     *
225
     * @param string $id
226
     *
227
     * @return bool
228
     */
229
    public function hasBlock(string $id): bool
230
    {
231
        return isset($this->blocks[$id]);
232
    }
233
234
    /**
235
     * Renders a view.
236
     *
237
     * The view to be rendered can be specified in one of the following formats:
238
     *
239
     * - [path alias](guide:concept-aliases) (e.g. "@app/views/site/index");
240
     * - absolute path within application (e.g. "//site/index"): the view name starts with double slashes. The actual
241
     *   view file will be looked for under the [[Application::viewPath|view path]] of the application.
242
     * - absolute path within current module (e.g. "/site/index"): the view name starts with a single slash. The actual
243
     *   view file will be looked for under the [[Module::viewPath|view path]] of the [[Controller::module|current module]].
244
     * - relative view (e.g. "index"): the view name does not start with `@` or `/`. The corresponding view file will be
245
     *   looked for under the {@see ViewContextInterface::getViewPath()} of the view `$context`.
246
     *   If `$context` is not given, it will be looked for under the directory containing the view currently
247
     *   being rendered (i.e., this happens when rendering a view within another view).
248
     *
249
     * @param string $view the view name.
250
     * @param array $parameters the parameters (name-value pairs) that will be extracted and made available in the view
251
     * file.
252
     * @param ViewContextInterface|null $context the context to be assigned to the view and can later be accessed via
253
     * {@see context} in the view. If the context implements {@see ViewContextInterface}, it may also be used to locate
254
     * the view file corresponding to a relative view name.
255
     *
256
     * @return string the rendering result
257
     *
258
     * @throws \RuntimeException if the view cannot be resolved.
259
     * @throws ViewNotFoundException if the view file does not exist.
260
     * @throws \Throwable
261
     *
262
     * {@see renderFile()}
263
     */
264 4
    public function render(string $view, array $parameters = [], ?ViewContextInterface $context = null): string
265
    {
266 4
        $viewFile = $this->findTemplateFile($view, $context);
267
268 4
        return $this->renderFile($viewFile, $parameters, $context);
269
    }
270
271
    /**
272
     * Finds the view file based on the given view name.
273
     *
274
     * @param string $view the view name or the [path alias](guide:concept-aliases) of the view file. Please refer to
275
     * {@see render()} on how to specify this parameter.
276
     * @param ViewContextInterface|null $context the context to be assigned to the view and can later be accessed via
277
     * {@see context} in the view. If the context implements {@see ViewContextInterface}, it may also be used to locate the
278
     * view file corresponding to a relative view name.
279
     *
280
     * @throws \RuntimeException if a relative view name is given while there is no active context to determine the
281
     * corresponding view file.
282
     *
283
     * @return string the view file path. Note that the file may not exist.
284
     */
285 4
    protected function findTemplateFile(string $view, ?ViewContextInterface $context = null): string
286
    {
287 4
        if (strncmp($view, '//', 2) === 0) {
288
            // path relative to basePath e.g. "//layouts/main"
289 4
            $file = $this->basePath . '/' . ltrim($view, '/');
290 1
        } elseif ($context instanceof ViewContextInterface) {
291
            // path provided by context
292
            $file = $context->getViewPath() . '/' . $view;
293 1
        } elseif (($currentViewFile = $this->getRequestedViewFile()) !== false) {
294
            // path relative to currently rendered view
295 1
            $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

295
            $file = dirname(/** @scrutinizer ignore-type */ $currentViewFile) . '/' . $view;
Loading history...
296
        } else {
297
            throw new \RuntimeException("Unable to resolve view file for view '$view': no active view context.");
298
        }
299
300 4
        if (pathinfo($file, PATHINFO_EXTENSION) !== '') {
301 1
            return $file;
302
        }
303
304 3
        $path = $file . '.' . $this->defaultExtension;
305
306 3
        if ($this->defaultExtension !== 'php' && !is_file($path)) {
307
            $path = $file . '.php';
308
        }
309
310 3
        return $path;
311
    }
312
313
    /**
314
     * Renders a view file.
315
     *
316
     * If {@see theme} is enabled (not null), it will try to render the themed version of the view file as long as it
317
     * is available.
318
     *
319
     * If {@see renderers} is enabled (not null), the method will use it to render the view file. Otherwise,
320
     * it will simply include the view file as a normal PHP file, capture its output and
321
     * return it as a string.
322
     *
323
     * @param string $viewFile the view file. This can be either an absolute file path or an alias of it.
324
     * @param array $parameters the parameters (name-value pairs) that will be extracted and made available in the view
325
     * file.
326
     * @param ViewContextInterface|null $context the context that the view should use for rendering the view. If null,
327
     * existing {@see context} will be used.
328
     *
329
     * @return string the rendering result
330
     * @throws \Throwable
331
     *
332
     * @throws ViewNotFoundException if the view file does not exist
333
     */
334 8
    public function renderFile(string $viewFile, array $parameters = [], ?ViewContextInterface $context = null): string
335
    {
336 8
        $parameters = array_merge($this->defaultParameters, $parameters);
337
338
        // TODO: these two match now
339 8
        $requestedFile = $viewFile;
340
341 8
        if (!empty($this->theme)) {
342 8
            $viewFile = $this->theme->applyTo($viewFile);
343
        }
344
345 8
        if (is_file($viewFile)) {
346 8
            $viewFile = $this->localize($viewFile);
347
        } else {
348
            throw new ViewNotFoundException("The view file does not exist: $viewFile");
349
        }
350
351 8
        $oldContext = $this->context;
352 8
        if ($context !== null) {
353
            $this->context = $context;
354
        }
355 8
        $output = '';
356 8
        $this->viewFiles[] = [
357 8
            'resolved' => $viewFile,
358 8
            'requested' => $requestedFile,
359
        ];
360
361 8
        if ($this->beforeRender($viewFile, $parameters)) {
362 8
            $this->logger->debug("Rendering view file: $viewFile");
363 8
            $ext = pathinfo($viewFile, PATHINFO_EXTENSION);
364 8
            $renderer = $this->renderers[$ext] ?? new PhpTemplateRenderer();
365 8
            $output = $renderer->render($this, $viewFile, $parameters);
366
367 8
            $output = $this->afterRender($viewFile, $parameters, $output);
368
        }
369
370 8
        array_pop($this->viewFiles);
371 8
        $this->context = $oldContext;
372
373 8
        return $output;
374
    }
375
376
    /**
377
     * Returns the localized version of a specified file.
378
     *
379
     * The searching is based on the specified language code. In particular, a file with the same name will be looked
380
     * for under the subdirectory whose name is the same as the language code. For example, given the file
381
     * "path/to/view.php" and language code "zh-CN", the localized file will be looked for as path/to/zh-CN/view.php".
382
     * 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".
383
     * If it is not found as well the original file will be returned.
384
     *
385
     * If the target and the source language codes are the same, the original file will be returned.
386
     *
387
     * @param string $file the original file
388
     * @param string|null $language the target language that the file should be localized to.
389
     * @param string|null $sourceLanguage the language that the original file is in.
390
     *
391
     * @return string the matching localized file, or the original file if the localized version is not found.
392
     * If the target and the source language codes are the same, the original file will be returned.
393
     */
394 9
    public function localize(string $file, ?string $language = null, ?string $sourceLanguage = null): string
395
    {
396 9
        $language = $language ?? $this->language;
397 9
        $sourceLanguage = $sourceLanguage ?? $this->sourceLanguage;
398
399 9
        if ($language === $sourceLanguage) {
400 9
            return $file;
401
        }
402 1
        $desiredFile = dirname($file) . DIRECTORY_SEPARATOR . $language . DIRECTORY_SEPARATOR . basename($file);
403 1
        if (is_file($desiredFile)) {
404 1
            return $desiredFile;
405
        }
406
407
        $language = substr($language, 0, 2);
408
        if ($language === $sourceLanguage) {
409
            return $file;
410
        }
411
        $desiredFile = dirname($file) . DIRECTORY_SEPARATOR . $language . DIRECTORY_SEPARATOR . basename($file);
412
413
        return is_file($desiredFile) ? $desiredFile : $file;
414
    }
415
416
    /**
417
     * @return string|bool the view file currently being rendered. False if no view file is being rendered.
418
     */
419 4
    public function getViewFile()
420
    {
421 4
        return empty($this->viewFiles) ? false : end($this->viewFiles)['resolved'];
422
    }
423
424
    /**
425
     * @return string|bool the requested view currently being rendered. False if no view file is being rendered.
426
     */
427 1
    protected function getRequestedViewFile()
428
    {
429 1
        return empty($this->viewFiles) ? false : end($this->viewFiles)['requested'];
430
    }
431
432
    /**
433
     * This method is invoked right before {@see renderFile()} renders a view file.
434
     *
435
     * The default implementation will trigger the {@see BeforeRender()} event. If you override this method, make sure
436
     * you call the parent implementation first.
437
     *
438
     * @param string $viewFile the view file to be rendered.
439
     * @param array $parameters the parameter array passed to the {@see render()} method.
440
     *
441
     * @return bool whether to continue rendering the view file.
442
     */
443 8
    public function beforeRender(string $viewFile, array $parameters): bool
444
    {
445 8
        $event = new BeforeRender($viewFile, $parameters);
446 8
        $event = $this->eventDispatcher->dispatch($event);
447
448 8
        return !$event->isPropagationStopped();
449
    }
450
451
    /**
452
     * This method is invoked right after {@see renderFile()} renders a view file.
453
     *
454
     * The default implementation will trigger the {@see AfterRender} event. If you override this method, make sure you
455
     * call the parent implementation first.
456
     *
457
     * @param string $viewFile the view file being rendered.
458
     * @param array $parameters the parameter array passed to the {@see render()} method.
459
     * @param string $output the rendering result of the view file. Updates to this parameter
460
     * will be passed back and returned by {@see renderFile()}.
461
     */
462 8
    public function afterRender(string $viewFile, array $parameters, &$output): string
463
    {
464 8
        $event = new AfterRender($viewFile, $parameters, $output);
465 8
        $event = $this->eventDispatcher->dispatch($event);
466
467 8
        return $event->getResult();
468
    }
469
470
    /**
471
     * Renders dynamic content returned by the given PHP statements.
472
     *
473
     * This method is mainly used together with content caching (fragment caching and page caching) when some portions
474
     * of the content (called *dynamic content*) should not be cached. The dynamic content must be returned by some PHP
475
     * statements. You can optionally pass additional parameters that will be available as variables in the PHP
476
     * statement:.
477
     *
478
     * ```php
479
     * <?= $this->renderDynamic('return foo($myVar);', [
480
     *     'myVar' => $model->getMyComplexVar(),
481
     * ]) ?>
482
     * ```
483
     *
484
     * @param string $statements the PHP statements for generating the dynamic content.
485
     * @param array $parameters the parameters (name-value pairs) that will be extracted and made
486
     * available in the $statement context. The parameters will be stored in the cache and be reused
487
     * each time $statement is executed. You should make sure, that these are safely serializable.
488
     *
489
     * @return string the placeholder of the dynamic content, or the dynamic content if there is no active content
490
     *                cache currently.
491
     */
492
    public function renderDynamic(string $statements, array $parameters = []): string
493
    {
494
        if (!empty($parameters)) {
495
            $statements = 'extract(unserialize(\'' . str_replace(['\\', '\''], ['\\\\', '\\\''], serialize($parameters)) . '\'));' . $statements;
496
        }
497
498
        if (!empty($this->cacheStack)) {
499
            $n = count($this->dynamicPlaceholders);
500
            $placeholder = "<![CDATA[YII-DYNAMIC-$n-{$this->getPlaceholderSignature()}]]>";
501
            $this->addDynamicPlaceholder($placeholder, $statements);
502
503
            return $placeholder;
504
        }
505
506
        return $this->evaluateDynamicContent($statements);
507
    }
508
509
    /**
510
     * Get source locale.
511
     *
512
     * @return Locale
513
     */
514
    public function getSourceLocale(): Locale
515
    {
516
        if ($this->sourceLocale === null) {
517
            $this->sourceLocale = new Locale('en-US');
518
        }
519
520
        return $this->sourceLocale;
0 ignored issues
show
Bug Best Practice introduced by
The expression return $this->sourceLocale could return the type null which is incompatible with the type-hinted return Yiisoft\I18n\Locale. Consider adding an additional type-check to rule them out.
Loading history...
521
    }
522
523
    /**
524
     * Set source locale.
525
     *
526
     * @param string $locale
527
     * @return self
528
     */
529
    public function setSourceLocale(string $locale): self
530
    {
531
        $this->sourceLocale = new Locale($locale);
532
533
        return $this;
534
    }
535
536
    public function getDynamicPlaceholders(): array
537
    {
538
        return $this->dynamicPlaceholders;
539
    }
540
541
    public function setDynamicPlaceholders(array $placeholders): void
542
    {
543
        $this->dynamicPlaceholders = $placeholders;
544
    }
545
546
    public function addDynamicPlaceholder(string $name, string $statements): void
547
    {
548
        foreach ($this->cacheStack as $cache) {
549
            $cache->addDynamicPlaceholder($name, $statements);
550
        }
551
552
        $this->dynamicPlaceholders[$name] = $statements;
553
    }
554
555
    /**
556
     * Evaluates the given PHP statements.
557
     *
558
     * This method is mainly used internally to implement dynamic content feature.
559
     *
560
     * @param string $statements the PHP statements to be evaluated.
561
     *
562
     * @return mixed the return value of the PHP statements.
563
     */
564
    public function evaluateDynamicContent(string $statements)
565
    {
566
        return eval($statements);
0 ignored issues
show
introduced by
The use of eval() is discouraged.
Loading history...
567
    }
568
569
    /**
570
     * Returns a list of currently active dynamic content class instances.
571
     *
572
     * @return DynamicContentAwareInterface[] class instances supporting dynamic contents.
573
     */
574
    public function getDynamicContents(): array
575
    {
576
        return $this->cacheStack;
577
    }
578
579
    /**
580
     * Adds a class instance supporting dynamic contents to the end of a list of currently active dynamic content class
581
     * instances.
582
     *
583
     * @param DynamicContentAwareInterface $instance class instance supporting dynamic contents.
584
     *
585
     * @return void
586
     */
587
    public function pushDynamicContent(DynamicContentAwareInterface $instance): void
588
    {
589
        $this->cacheStack[] = $instance;
590
    }
591
592
    /**
593
     * Removes a last class instance supporting dynamic contents from a list of currently active dynamic content class
594
     * instances.
595
     *
596
     * @return void
597
     */
598
    public function popDynamicContent(): void
599
    {
600
        array_pop($this->cacheStack);
601
    }
602
603
    /**
604
     * Marks the beginning of a page.
605
     *
606
     * @return void
607
     */
608 4
    public function beginPage(): void
609
    {
610 4
        ob_start();
611 4
        PHP_VERSION_ID >= 80000 ? ob_implicit_flush(false) : ob_implicit_flush(0);
0 ignored issues
show
Bug introduced by
false of type false is incompatible with the type integer expected by parameter $flag of ob_implicit_flush(). ( Ignorable by Annotation )

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

611
        PHP_VERSION_ID >= 80000 ? ob_implicit_flush(/** @scrutinizer ignore-type */ false) : ob_implicit_flush(0);
Loading history...
612
613 4
        $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

613
        $this->eventDispatcher->dispatch(new PageBegin(/** @scrutinizer ignore-type */ $this->getViewFile()));
Loading history...
614 4
    }
615
616
    /**
617
     * Marks the ending of a page.
618
     *
619
     * @return void
620
     */
621
    public function endPage(): void
622
    {
623
        $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

623
        $this->eventDispatcher->dispatch(new PageEnd(/** @scrutinizer ignore-type */ $this->getViewFile()));
Loading history...
624
        ob_end_flush();
625
    }
626
}
627