• Home
  • Features
  • Pricing
  • Docs
  • Announcements
  • Sign In

Cecilapp / Cecil / 20977930227

14 Jan 2026 12:39AM UTC coverage: 82.551%. First build
20977930227

Pull #2277

github

web-flow
Merge 3db2a90e9 into e1a0943e9
Pull Request #2277: refactor: rebuilding images processing

28 of 45 new or added lines in 4 files covered. (62.22%)

3288 of 3983 relevant lines covered (82.55%)

0.83 hits per line

Source File
Press 'n' to go to next uncovered line, 'b' for previous

80.0
/src/Asset.php
1
<?php
2

3
/**
4
 * This file is part of Cecil.
5
 *
6
 * (c) Arnaud Ligny <arnaud@ligny.fr>
7
 *
8
 * For the full copyright and license information, please view the LICENSE
9
 * file that was distributed with this source code.
10
 */
11

12
declare(strict_types=1);
13

14
namespace Cecil;
15

16
use Cecil\Asset\Image;
17
use Cecil\Builder;
18
use Cecil\Cache;
19
use Cecil\Collection\Page\Page;
20
use Cecil\Config;
21
use Cecil\Exception\ConfigException;
22
use Cecil\Exception\RuntimeException;
23
use Cecil\Url;
24
use Cecil\Util;
25
use Cecil\Util\ImageOptimizer as Optimizer;
26
use MatthiasMullie\Minify;
27
use ScssPhp\ScssPhp\Compiler;
28
use ScssPhp\ScssPhp\OutputStyle;
29
use wapmorgan\Mp3Info\Mp3Info;
30

31
/**
32
 * Asset class.
33
 *
34
 * Represents an asset (file) in the Cecil project.
35
 * Handles file locating, content reading, compiling, minifying, fingerprinting,
36
 * resizing images, and more.
37
 */
38
class Asset implements \ArrayAccess
39
{
40
    public const IMAGE_THUMB = 'thumbnails';
41

42
    /** @var Builder */
43
    protected $builder;
44

45
    /** @var Config */
46
    protected $config;
47

48
    /** @var array */
49
    protected $data = [];
50

51
    /** @var array Cache tags */
52
    protected $cacheTags = [];
53

54
    /**
55
     * Creates an Asset from a file path, an array of files path or an URL.
56
     * Options:
57
     * [
58
     *     'filename' => <string>,
59
     *     'leading_slash' => <bool>
60
     *     'ignore_missing' => <bool>,
61
     *     'fingerprint' => <bool>,
62
     *     'minify' => <bool>,
63
     *     'optimize' => <bool>,
64
     *     'fallback' => <string>,
65
     *     'useragent' => <string>,
66
     * ]
67
     *
68
     * @param Builder      $builder
69
     * @param string|array $paths
70
     * @param array|null   $options
71
     *
72
     * @throws RuntimeException
73
     */
74
    public function __construct(Builder $builder, string|array $paths, array|null $options = null)
75
    {
76
        $this->builder = $builder;
1✔
77
        $this->config = $builder->getConfig();
1✔
78
        $paths = \is_array($paths) ? $paths : [$paths];
1✔
79
        // checks path(s)
80
        array_walk($paths, function ($path) {
1✔
81
            // must be a string
82
            if (!\is_string($path)) {
1✔
83
                throw new RuntimeException(\sprintf('The path of an asset must be a string ("%s" given).', \gettype($path)));
×
84
            }
85
            // can't be empty
86
            if (empty($path)) {
1✔
87
                throw new RuntimeException('The path of an asset can\'t be empty.');
×
88
            }
89
            // can't be relative
90
            if (substr($path, 0, 2) == '..') {
1✔
91
                throw new RuntimeException(\sprintf('The path of asset "%s" is wrong: it must be directly relative to `assets` or `static` directory, or a remote URL.', $path));
×
92
            }
93
        });
1✔
94
        $this->data = [
1✔
95
            'file'     => '',    // absolute file path
1✔
96
            'files'    => [],    // array of absolute files path
1✔
97
            'missing'  => false, // if file not found but missing allowed: 'missing' is true
1✔
98
            '_path'    => '',    // original path
1✔
99
            'path'     => '',    // public path
1✔
100
            'url'      => null,  // URL if it's a remote file
1✔
101
            'ext'      => '',    // file extension
1✔
102
            'type'     => '',    // file type (e.g.: image, audio, video, etc.)
1✔
103
            'subtype'  => '',    // file media type (e.g.: image/png, audio/mp3, etc.)
1✔
104
            'size'     => 0,     // file size (in bytes)
1✔
105
            'width'    => null,  // width (in pixels)
1✔
106
            'height'   => null,  // height (in pixels)
1✔
107
            'exif'     => [],    // image exif data
1✔
108
            'duration' => null,  // audio or video duration
1✔
109
            'content'  => '',    // file content
1✔
110
            'hash'     => '',    // file content hash (md5)
1✔
111
        ];
1✔
112

113
        // handles options
114
        $options = array_merge(
1✔
115
            [
1✔
116
                'filename'       => '',
1✔
117
                'leading_slash'  => true,
1✔
118
                'ignore_missing' => false,
1✔
119
                'fingerprint'    => $this->config->isEnabled('assets.fingerprint'),
1✔
120
                'minify'         => $this->config->isEnabled('assets.minify'),
1✔
121
                'optimize'       => $this->config->isEnabled('assets.images.optimize'),
1✔
122
                'fallback'       => '',
1✔
123
                'useragent'      => (string) $this->config->get('assets.remote.useragent.default'),
1✔
124
            ],
1✔
125
            \is_array($options) ? $options : []
1✔
126
        );
1✔
127

128
        // cache for "locate file(s)"
129
        $cache = new Cache($this->builder, 'assets');
1✔
130
        $locateCacheKey = \sprintf('%s_locate__%s__%s', $options['filename'] ?: implode('_', $paths), $this->builder->getBuildId(), $this->builder->getVersion());
1✔
131

132
        // locate file(s) and get content
133
        if (!$cache->has($locateCacheKey)) {
1✔
134
            $pathsCount = \count($paths);
1✔
135
            for ($i = 0; $i < $pathsCount; $i++) {
1✔
136
                try {
137
                    $this->data['missing'] = false;
1✔
138
                    $locate = $this->locateFile($paths[$i], $options['fallback'], $options['useragent']);
1✔
139
                    $file = $locate['file'];
1✔
140
                    $path = $locate['path'];
1✔
141
                    $type = Util\File::getMediaType($file)[0];
1✔
142
                    if ($i > 0) { // bundle
1✔
143
                        if ($type != $this->data['type']) {
1✔
144
                            throw new RuntimeException(\sprintf('Asset bundle type error (%s != %s).', $type, $this->data['type']));
×
145
                        }
146
                    }
147
                    $this->data['file'] = $file;
1✔
148
                    $this->data['files'][] = $file;
1✔
149
                    $this->data['path'] = $path;
1✔
150
                    $this->data['url'] = Util\File::isRemote($paths[$i]) ? $paths[$i] : null;
1✔
151
                    $this->data['ext'] = Util\File::getExtension($file);
1✔
152
                    $this->data['type'] = $type;
1✔
153
                    $this->data['subtype'] = Util\File::getMediaType($file)[1];
1✔
154
                    $this->data['size'] += filesize($file) ?: 0;
1✔
155
                    $this->data['content'] .= Util\File::fileGetContents($file);
1✔
156
                    $this->data['hash'] = hash('md5', $this->data['content']);
1✔
157
                    // bundle default filename
158
                    $filename = $options['filename'];
1✔
159
                    if ($pathsCount > 1 && empty($filename)) {
1✔
160
                        switch ($this->data['ext']) {
1✔
161
                            case 'scss':
1✔
162
                            case 'css':
1✔
163
                                $filename = 'styles.css';
1✔
164
                                break;
1✔
165
                            case 'js':
1✔
166
                                $filename = 'scripts.js';
1✔
167
                                break;
1✔
168
                            default:
169
                                throw new RuntimeException(\sprintf('Asset bundle supports %s files only.', '.scss, .css and .js'));
×
170
                        }
171
                    }
172
                    // apply bundle filename to path
173
                    if (!empty($filename)) {
1✔
174
                        $this->data['path'] = $filename;
1✔
175
                    }
176
                    // add leading slash
177
                    if ($options['leading_slash']) {
1✔
178
                        $this->data['path'] = '/' . ltrim($this->data['path'], '/');
1✔
179
                    }
180
                    $this->data['_path'] = $this->data['path'];
1✔
181
                } catch (RuntimeException $e) {
1✔
182
                    if ($options['ignore_missing']) {
1✔
183
                        $this->data['missing'] = true;
1✔
184
                        continue;
1✔
185
                    }
NEW
186
                    throw new RuntimeException(\sprintf('Unable to handle asset "%s".', $paths[$i]), previous: $e);
×
187
                }
188
            }
189
            $cache->set($locateCacheKey, $this->data);
1✔
190
        }
191
        $this->data = $cache->get($locateCacheKey);
1✔
192

193
        // missing
194
        if ($this->data['missing']) {
1✔
195
            return;
1✔
196
        }
197

198
        // cache for "process asset"
199
        $cache = new Cache($this->builder, 'assets');
1✔
200
        // create cache tags from options
201
        $this->cacheTags = $options;
1✔
202
        // remove unnecessary cache tags
203
        unset($this->cacheTags['optimize'], $this->cacheTags['ignore_missing'], $this->cacheTags['fallback'], $this->cacheTags['useragent']);
1✔
204
        if (!\in_array($this->data['ext'], ['css', 'js', 'scss'])) {
1✔
205
            unset($this->cacheTags['minify']);
1✔
206
        }
207
        // optimize image?
208
        $optimize = false;
1✔
209
        if ($options['optimize'] && $this->data['type'] == 'image' && !$this->isImageInCdn()) {
1✔
210
            $optimize = true;
1✔
211
            $quality = (int) $this->config->get('assets.images.quality');
1✔
212
            $this->cacheTags['quality'] = $quality;
1✔
213
        }
214
        $cacheKey = $cache->createKeyFromAsset($this, $this->cacheTags);
1✔
215
        if (!$cache->has($cacheKey)) {
1✔
216
            // fingerprinting
217
            if ($options['fingerprint']) {
1✔
218
                $this->doFingerprint();
×
219
            }
220
            // compiling Sass files
221
            $this->doCompile();
1✔
222
            // minifying (CSS and JavaScript files)
223
            if ($options['minify']) {
1✔
224
                $this->doMinify();
×
225
            }
226
            // get width and height
227
            $this->data['width'] = $this->getWidth();
1✔
228
            $this->data['height'] = $this->getHeight();
1✔
229
            // get image exif
230
            if ($this->data['subtype'] == 'image/jpeg') {
1✔
231
                $this->data['exif'] = Util\File::readExif($this->data['file']);
1✔
232
            }
233
            // get duration
234
            if ($this->data['type'] == 'audio') {
1✔
235
                $this->data['duration'] = $this->getAudio()['duration'];
1✔
236
            }
237
            if ($this->data['type'] == 'video') {
1✔
238
                $this->data['duration'] = $this->getVideo()['duration'];
1✔
239
            }
240
            $cache->set($cacheKey, $this->data, $this->config->get('cache.assets.ttl'));
1✔
241
            $this->builder->getLogger()->debug(\sprintf('Asset cached: "%s"', $this->data['path']));
1✔
242
            // optimizing images files (in cache directory)
243
            if ($optimize) {
1✔
244
                $this->optimizeImage($cache->getContentFilePathname($this->data['path']), $this->data['path'], $quality);
1✔
245
            }
246
        }
247
        $this->data = $cache->get($cacheKey);
1✔
248
    }
249

250
    /**
251
     * Returns path.
252
     */
253
    public function __toString(): string
254
    {
255
        $this->save();
1✔
256

257
        if ($this->isImageInCdn()) {
1✔
258
            return $this->buildImageCdnUrl();
×
259
        }
260

261
        if ($this->builder->getConfig()->isEnabled('canonicalurl')) {
1✔
262
            return (string) new Url($this->builder, $this->data['path'], ['canonical' => true]);
×
263
        }
264

265
        return $this->data['path'];
1✔
266
    }
267

268
    /**
269
     * Implements \ArrayAccess.
270
     */
271
    #[\ReturnTypeWillChange]
272
    public function offsetSet($offset, $value): void
273
    {
274
        if (!\is_null($offset)) {
1✔
275
            $this->data[$offset] = $value;
1✔
276
        }
277
    }
278

279
    /**
280
     * Implements \ArrayAccess.
281
     */
282
    #[\ReturnTypeWillChange]
283
    public function offsetExists($offset): bool
284
    {
285
        return isset($this->data[$offset]);
1✔
286
    }
287

288
    /**
289
     * Implements \ArrayAccess.
290
     */
291
    #[\ReturnTypeWillChange]
292
    public function offsetUnset($offset): void
293
    {
294
        unset($this->data[$offset]);
×
295
    }
296

297
    /**
298
     * Implements \ArrayAccess.
299
     */
300
    #[\ReturnTypeWillChange]
301
    public function offsetGet($offset)
302
    {
303
        return isset($this->data[$offset]) ? $this->data[$offset] : null;
1✔
304
    }
305

306
    /**
307
     * Adds asset path to the list of assets to save.
308
     *
309
     * @throws RuntimeException
310
     */
311
    public function save(): void
312
    {
313
        if ($this->data['missing']) {
1✔
314
            return;
1✔
315
        }
316

317
        $cache = new Cache($this->builder, 'assets');
1✔
318
        if (empty($this->data['path']) || !Util\File::getFS()->exists($cache->getContentFilePathname($this->data['path']))) {
1✔
NEW
319
            throw new RuntimeException(\sprintf('Unable to add "%s" to assets list. Please clear cache and retry.', $this->data['path']));
×
320
        }
321

322
        $this->builder->addAsset($this->data['path']);
1✔
323
    }
324

325
    /**
326
     * Add hash to the file name + cache.
327
     */
328
    public function fingerprint(): self
329
    {
330
        $this->cacheTags['fingerprint'] = true;
1✔
331
        $cache = new Cache($this->builder, 'assets');
1✔
332
        $cacheKey = $cache->createKeyFromAsset($this, $this->cacheTags);
1✔
333
        if (!$cache->has($cacheKey)) {
1✔
334
            $this->doFingerprint();
1✔
335
            $cache->set($cacheKey, $this->data, $this->config->get('cache.assets.ttl'));
1✔
336
        }
337
        $this->data = $cache->get($cacheKey);
1✔
338

339
        return $this;
1✔
340
    }
341

342
    /**
343
     * Compiles a SCSS + cache.
344
     *
345
     * @throws RuntimeException
346
     */
347
    public function compile(): self
348
    {
349
        $this->cacheTags['compile'] = true;
1✔
350
        $cache = new Cache($this->builder, 'assets');
1✔
351
        $cacheKey = $cache->createKeyFromAsset($this, $this->cacheTags);
1✔
352
        if (!$cache->has($cacheKey)) {
1✔
353
            $this->doCompile();
1✔
354
            $cache->set($cacheKey, $this->data, $this->config->get('cache.assets.ttl'));
1✔
355
        }
356
        $this->data = $cache->get($cacheKey);
1✔
357

358
        return $this;
1✔
359
    }
360

361
    /**
362
     * Minifying a CSS or a JS.
363
     */
364
    public function minify(): self
365
    {
366
        $this->cacheTags['minify'] = true;
1✔
367
        $cache = new Cache($this->builder, 'assets');
1✔
368
        $cacheKey = $cache->createKeyFromAsset($this, $this->cacheTags);
1✔
369
        if (!$cache->has($cacheKey)) {
1✔
370
            $this->doMinify();
1✔
371
            $cache->set($cacheKey, $this->data, $this->config->get('cache.assets.ttl'));
1✔
372
        }
373
        $this->data = $cache->get($cacheKey);
1✔
374

375
        return $this;
1✔
376
    }
377

378
    /**
379
     * Returns the Data URL (encoded in Base64).
380
     *
381
     * @throws RuntimeException
382
     */
383
    public function dataurl(): string
384
    {
385
        if ($this->data['type'] == 'image' && !Image::isSVG($this)) {
1✔
386
            return Image::getDataUrl($this, (int) $this->config->get('assets.images.quality'));
1✔
387
        }
388

389
        return \sprintf('data:%s;base64,%s', $this->data['subtype'], base64_encode($this->data['content']));
1✔
390
    }
391

392
    /**
393
     * Hashing content of an asset with the specified algo, sha384 by default.
394
     * Used for SRI (Subresource Integrity).
395
     *
396
     * @see https://developer.mozilla.org/fr/docs/Web/Security/Subresource_Integrity
397
     */
398
    public function integrity(string $algo = 'sha384'): string
399
    {
400
        return \sprintf('%s-%s', $algo, base64_encode(hash($algo, $this->data['content'], true)));
1✔
401
    }
402

403
    /**
404
     * Resizes an image to the given width or/and height.
405
     *
406
     * @throws RuntimeException
407
     */
408
    public function resize(?int $width = null, ?int $height = null): self
409
    {
410
        $this->checkImage();
1✔
411

412
        // if the image is already smaller, return it
413
        if (($width === null || $this->data['width'] <= $width) && ($height === null || $this->data['height'] <= $height)) {
1✔
414
            return $this;
1✔
415
        }
416

417
        $assetResized = clone $this;
1✔
418
        $assetResized->data['width'] = $width ?? $this->data['width'];
1✔
419
        $assetResized->data['height'] = $height ?? $this->data['height'];
1✔
420

421
        if ($this->isImageInCdn()) {
1✔
NEW
422
            if ($width === null) {
×
NEW
423
                $assetResized->data['width'] = round($this->data['width'] / ($this->data['height'] / $height));
×
424
            }
NEW
425
            if ($height === null) {
×
NEW
426
                $assetResized->data['height'] = round($this->data['height'] / ($this->data['width'] / $width));
×
427
            }
428

429
            return $assetResized; // returns asset with the new dimensions only: CDN do the rest of the job
×
430
        }
431

432
        $quality = (int) $this->config->get('assets.images.quality');
1✔
433

434
        $cache = new Cache($this->builder, 'assets');
1✔
435
        $assetResized->cacheTags['quality'] = $quality;
1✔
436
        $assetResized->cacheTags['width'] = $width;
1✔
437
        $assetResized->cacheTags['height'] = $height;
1✔
438
        $cacheKey = $cache->createKeyFromAsset($assetResized, $assetResized->cacheTags);
1✔
439
        if (!$cache->has($cacheKey)) {
1✔
440
            $assetResized->data['content'] = Image::resize($assetResized, $width, $height, $quality);
1✔
441
            $assetResized->data['path'] = '/' . Util::joinPath(
1✔
442
                (string) $this->config->get('assets.target'),
1✔
443
                self::IMAGE_THUMB,
1✔
444
                (string) $width . 'x' . (string) $height,
1✔
445
                $assetResized->data['path']
1✔
446
            );
1✔
447
            $assetResized->data['path'] = $this->deduplicateThumbPath($assetResized->data['path']);
1✔
448
            $assetResized->data['width'] = $assetResized->getWidth();
1✔
449
            $assetResized->data['height'] = $assetResized->getHeight();
1✔
450
            $assetResized->data['size'] = \strlen($assetResized->data['content']);
1✔
451

452
            $cache->set($cacheKey, $assetResized->data, $this->config->get('cache.assets.ttl'));
1✔
453
            $this->builder->getLogger()->debug(\sprintf('Asset resized: "%s" (%sx%s)', $assetResized->data['path'], $width, $height));
1✔
454
        }
455
        $assetResized->data = $cache->get($cacheKey);
1✔
456

457
        return $assetResized;
1✔
458
    }
459

460
    /**
461
     * Creates a maskable image (with a padding = 20%).
462
     *
463
     * @throws RuntimeException
464
     */
465
    public function maskable(?int $padding = null): self
466
    {
467
        $this->checkImage();
×
468

469
        if ($padding === null) {
×
470
            $padding = 20; // default padding
×
471
        }
472

473
        $assetMaskable = clone $this;
×
474

475
        $quality = (int) $this->config->get('assets.images.quality');
×
476

477
        $cache = new Cache($this->builder, 'assets');
×
478
        $assetMaskable->cacheTags['maskable'] = true;
×
479
        $cacheKey = $cache->createKeyFromAsset($assetMaskable, $assetMaskable->cacheTags);
×
480
        if (!$cache->has($cacheKey)) {
×
481
            $assetMaskable->data['content'] = Image::maskable($assetMaskable, $quality, $padding);
×
482
            $assetMaskable->data['path'] = '/' . Util::joinPath(
×
483
                (string) $this->config->get('assets.target'),
×
484
                'maskable',
×
485
                $assetMaskable->data['path']
×
486
            );
×
487
            $assetMaskable->data['size'] = \strlen($assetMaskable->data['content']);
×
488

489
            $cache->set($cacheKey, $assetMaskable->data, $this->config->get('cache.assets.ttl'));
×
490
            $this->builder->getLogger()->debug(\sprintf('Asset maskabled: "%s"', $assetMaskable->data['path']));
×
491
        }
492
        $assetMaskable->data = $cache->get($cacheKey);
×
493

494
        return $assetMaskable;
×
495
    }
496

497
    /**
498
     * Converts an image asset to $format format.
499
     *
500
     * @throws RuntimeException
501
     */
502
    public function convert(string $format, ?int $quality = null): self
503
    {
504
        if ($this->data['type'] != 'image') {
1✔
505
            throw new RuntimeException(\sprintf('Unable to convert "%s" (%s) to %s: not an image.', $this->data['path'], $this->data['type'], $format));
×
506
        }
507

508
        if ($quality === null) {
1✔
509
            $quality = (int) $this->config->get('assets.images.quality');
1✔
510
        }
511

512
        $asset = clone $this;
1✔
513
        $asset['ext'] = $format;
1✔
514
        $asset->data['subtype'] = "image/$format";
1✔
515

516
        if ($this->isImageInCdn()) {
1✔
517
            return $asset; // returns the asset with the new extension only: CDN do the rest of the job
×
518
        }
519

520
        $cache = new Cache($this->builder, 'assets');
1✔
521
        $this->cacheTags['quality'] = $quality;
1✔
522
        if ($this->data['width']) {
1✔
523
            $this->cacheTags['width'] = $this->data['width'];
1✔
524
        }
525
        $cacheKey = $cache->createKeyFromAsset($asset, $this->cacheTags);
1✔
526
        if (!$cache->has($cacheKey)) {
1✔
527
            $asset->data['content'] = Image::convert($asset, $format, $quality);
1✔
528
            $asset->data['path'] = preg_replace('/\.' . $this->data['ext'] . '$/m', ".$format", $this->data['path']);
1✔
529
            $asset->data['size'] = \strlen($asset->data['content']);
1✔
530
            $cache->set($cacheKey, $asset->data, $this->config->get('cache.assets.ttl'));
1✔
531
            $this->builder->getLogger()->debug(\sprintf('Asset converted: "%s" (%s -> %s)', $asset->data['path'], $this->data['ext'], $format));
1✔
532
        }
533
        $asset->data = $cache->get($cacheKey);
1✔
534

535
        return $asset;
1✔
536
    }
537

538
    /**
539
     * Converts an image asset to WebP format.
540
     *
541
     * @throws RuntimeException
542
     */
543
    public function webp(?int $quality = null): self
544
    {
545
        return $this->convert('webp', $quality);
×
546
    }
547

548
    /**
549
     * Converts an image asset to AVIF format.
550
     *
551
     * @throws RuntimeException
552
     */
553
    public function avif(?int $quality = null): self
554
    {
555
        return $this->convert('avif', $quality);
×
556
    }
557

558
    /**
559
     * Is the asset an image and is it in CDN?
560
     */
561
    public function isImageInCdn(): bool
562
    {
563
        if (
564
            $this->data['type'] == 'image'
1✔
565
            && $this->config->isEnabled('assets.images.cdn')
1✔
566
            && $this->data['ext'] != 'ico'
1✔
567
            && (Image::isSVG($this) && $this->config->isEnabled('assets.images.cdn.svg'))
1✔
568
        ) {
569
            return true;
×
570
        }
571
        // handle remote image?
572
        if ($this->data['url'] !== null && $this->config->isEnabled('assets.images.cdn.remote')) {
1✔
573
            return true;
×
574
        }
575

576
        return false;
1✔
577
    }
578

579
    /**
580
     * Returns the width of an image/SVG or a video.
581
     *
582
     * @throws RuntimeException
583
     */
584
    public function getWidth(): ?int
585
    {
586
        switch ($this->data['type']) {
1✔
587
            case 'image':
1✔
588
                if (Image::isSVG($this) && false !== $svg = Image::getSvgAttributes($this)) {
1✔
589
                    return (int) $svg->width;
1✔
590
                }
591
                if (false === $size = $this->getImageSize()) {
1✔
592
                    throw new RuntimeException(\sprintf('Unable to get width of "%s".', $this->data['path']));
×
593
                }
594

595
                return $size[0];
1✔
596
            case 'video':
1✔
597
                return $this->getVideo()['width'];
1✔
598
        }
599

600
        return null;
1✔
601
    }
602

603
    /**
604
     * Returns the height of an image/SVG or a video.
605
     *
606
     * @throws RuntimeException
607
     */
608
    public function getHeight(): ?int
609
    {
610
        switch ($this->data['type']) {
1✔
611
            case 'image':
1✔
612
                if (Image::isSVG($this) && false !== $svg = Image::getSvgAttributes($this)) {
1✔
613
                    return (int) $svg->height;
1✔
614
                }
615
                if (false === $size = $this->getImageSize()) {
1✔
616
                    throw new RuntimeException(\sprintf('Unable to get height of "%s".', $this->data['path']));
×
617
                }
618

619
                return $size[1];
1✔
620
            case 'video':
1✔
621
                return $this->getVideo()['height'];
1✔
622
        }
623

624
        return null;
1✔
625
    }
626

627
    /**
628
     * Returns audio file infos:
629
     * - duration (in seconds.microseconds)
630
     * - bitrate (in bps)
631
     * - channel ('stereo', 'dual_mono', 'joint_stereo' or 'mono')
632
     *
633
     * @see https://github.com/wapmorgan/Mp3Info
634
     */
635
    public function getAudio(): array
636
    {
637
        $audio = new Mp3Info($this->data['file']);
1✔
638

639
        return [
1✔
640
            'duration' => $audio->duration,
1✔
641
            'bitrate'  => $audio->bitRate,
1✔
642
            'channel'  => $audio->channel,
1✔
643
        ];
1✔
644
    }
645

646
    /**
647
     * Returns video file infos:
648
     * - duration (in seconds)
649
     * - width (in pixels)
650
     * - height (in pixels)
651
     *
652
     * @see https://github.com/JamesHeinrich/getID3
653
     */
654
    public function getVideo(): array
655
    {
656
        if ($this->data['type'] !== 'video') {
1✔
657
            throw new RuntimeException(\sprintf('Unable to get video infos of "%s".', $this->data['path']));
×
658
        }
659

660
        $video = (new \getID3())->analyze($this->data['file']);
1✔
661

662
        return [
1✔
663
            'duration' => $video['playtime_seconds'],
1✔
664
            'width'    => $video['video']['resolution_x'],
1✔
665
            'height'   => $video['video']['resolution_y'],
1✔
666
        ];
1✔
667
    }
668

669
    /**
670
     * Builds a relative path from a URL.
671
     * Used for remote files.
672
     */
673
    public static function buildPathFromUrl(string $url): string
674
    {
675
        $host = parse_url($url, PHP_URL_HOST);
1✔
676
        $path = parse_url($url, PHP_URL_PATH);
1✔
677
        $query = parse_url($url, PHP_URL_QUERY);
1✔
678
        $ext = pathinfo(parse_url($url, PHP_URL_PATH), \PATHINFO_EXTENSION);
1✔
679

680
        // Google Fonts hack
681
        if (Util\Str::endsWith($path, '/css') || Util\Str::endsWith($path, '/css2')) {
1✔
682
            $ext = 'css';
1✔
683
        }
684

685
        return Page::slugify(\sprintf('%s%s%s%s', $host, self::sanitize($path), $query ? "-$query" : '', $query && $ext ? ".$ext" : ''));
1✔
686
    }
687

688
    /**
689
     * Replaces some characters by '_'.
690
     */
691
    public static function sanitize(string $string): string
692
    {
693
        return str_replace(['<', '>', ':', '"', '\\', '|', '?', '*'], '_', $string);
1✔
694
    }
695

696
    /**
697
     * Add hash to the file name.
698
     */
699
    protected function doFingerprint(): self
700
    {
701
        $hash = hash('md5', $this->data['content']);
1✔
702
        $this->data['path'] = preg_replace(
1✔
703
            '/\.' . $this->data['ext'] . '$/m',
1✔
704
            ".$hash." . $this->data['ext'],
1✔
705
            $this->data['path']
1✔
706
        );
1✔
707
        $this->builder->getLogger()->debug(\sprintf('Asset fingerprinted: "%s"', $this->data['path']));
1✔
708

709
        return $this;
1✔
710
    }
711

712
    /**
713
     * Compiles a SCSS.
714
     *
715
     * @throws RuntimeException
716
     */
717
    protected function doCompile(): self
718
    {
719
        // abort if not a SCSS file
720
        if ($this->data['ext'] != 'scss') {
1✔
721
            return $this;
1✔
722
        }
723
        $scssPhp = new Compiler();
1✔
724
        // import paths
725
        $importDir = [];
1✔
726
        $importDir[] = Util::joinPath($this->config->getStaticPath());
1✔
727
        $importDir[] = Util::joinPath($this->config->getAssetsPath());
1✔
728
        $scssDir = (array) $this->config->get('assets.compile.import');
1✔
729
        $themes = $this->config->getTheme() ?? [];
1✔
730
        foreach ($scssDir as $dir) {
1✔
731
            $importDir[] = Util::joinPath($this->config->getStaticPath(), $dir);
1✔
732
            $importDir[] = Util::joinPath($this->config->getAssetsPath(), $dir);
1✔
733
            $importDir[] = Util::joinPath(\dirname($this->data['file']), $dir);
1✔
734
            foreach ($themes as $theme) {
1✔
735
                $importDir[] = Util::joinPath($this->config->getThemeDirPath($theme, "static/$dir"));
1✔
736
                $importDir[] = Util::joinPath($this->config->getThemeDirPath($theme, "assets/$dir"));
1✔
737
            }
738
        }
739
        $scssPhp->setQuietDeps(true);
1✔
740
        $scssPhp->setImportPaths(array_unique($importDir));
1✔
741
        // adds source map
742
        if ($this->builder->isDebug() && $this->config->isEnabled('assets.compile.sourcemap')) {
1✔
743
            $importDir = [];
×
744
            $assetDir = (string) $this->config->get('assets.dir');
×
745
            $assetDirPos = strrpos($this->data['file'], DIRECTORY_SEPARATOR . $assetDir . DIRECTORY_SEPARATOR);
×
746
            $fileRelPath = substr($this->data['file'], $assetDirPos + 8);
×
747
            $filePath = Util::joinFile($this->config->getOutputPath(), $fileRelPath);
×
748
            $importDir[] = \dirname($filePath);
×
749
            foreach ($scssDir as $dir) {
×
750
                $importDir[] = Util::joinFile($this->config->getOutputPath(), $dir);
×
751
            }
752
            $scssPhp->setImportPaths(array_unique($importDir));
×
753
            $scssPhp->setSourceMap(Compiler::SOURCE_MAP_INLINE);
×
754
            $scssPhp->setSourceMapOptions([
×
755
                'sourceMapBasepath' => Util::joinPath($this->config->getOutputPath()),
×
756
                'sourceRoot'        => '/',
×
757
            ]);
×
758
        }
759
        // defines output style
760
        $outputStyles = ['expanded', 'compressed'];
1✔
761
        $outputStyle = strtolower((string) $this->config->get('assets.compile.style'));
1✔
762
        if (!\in_array($outputStyle, $outputStyles)) {
1✔
763
            throw new ConfigException(\sprintf('"%s" value must be "%s".', 'assets.compile.style', implode('" or "', $outputStyles)));
×
764
        }
765
        $scssPhp->setOutputStyle($outputStyle == 'compressed' ? OutputStyle::COMPRESSED : OutputStyle::EXPANDED);
1✔
766
        // set variables
767
        $variables = $this->config->get('assets.compile.variables');
1✔
768
        if (!empty($variables)) {
1✔
769
            $variables = array_map('ScssPhp\ScssPhp\ValueConverter::parseValue', $variables);
1✔
770
            $scssPhp->replaceVariables($variables);
1✔
771
        }
772
        // debug
773
        if ($this->builder->isDebug()) {
1✔
774
            $scssPhp->setQuietDeps(false);
1✔
775
            $this->builder->getLogger()->debug(\sprintf("SCSS compiler imported paths:\n%s", Util\Str::arrayToList(array_unique($importDir))));
1✔
776
        }
777
        // update data
778
        $this->data['path'] = preg_replace('/sass|scss/m', 'css', $this->data['path']);
1✔
779
        $this->data['ext'] = 'css';
1✔
780
        $this->data['type'] = 'text';
1✔
781
        $this->data['subtype'] = 'text/css';
1✔
782
        $this->data['content'] = $scssPhp->compileString($this->data['content'])->getCss();
1✔
783
        $this->data['size'] = \strlen($this->data['content']);
1✔
784

785
        $this->builder->getLogger()->debug(\sprintf('Asset compiled: "%s"', $this->data['path']));
1✔
786

787
        return $this;
1✔
788
    }
789

790
    /**
791
     * Minifying a CSS or a JS + cache.
792
     *
793
     * @throws RuntimeException
794
     */
795
    protected function doMinify(): self
796
    {
797
        // compile SCSS files
798
        if ($this->data['ext'] == 'scss') {
1✔
799
            $this->doCompile();
×
800
        }
801
        // abort if already minified
802
        if (substr($this->data['path'], -8) == '.min.css' || substr($this->data['path'], -7) == '.min.js') {
1✔
803
            return $this;
×
804
        }
805
        // abord if not a CSS or JS file
806
        if (!\in_array($this->data['ext'], ['css', 'js'])) {
1✔
807
            return $this;
×
808
        }
809
        // in debug mode: disable minify to preserve inline source map
810
        if ($this->builder->isDebug() && $this->config->isEnabled('assets.compile.sourcemap')) {
1✔
811
            return $this;
×
812
        }
813
        switch ($this->data['ext']) {
1✔
814
            case 'css':
1✔
815
                $minifier = new Minify\CSS($this->data['content']);
1✔
816
                break;
1✔
817
            case 'js':
1✔
818
                $minifier = new Minify\JS($this->data['content']);
1✔
819
                break;
1✔
820
            default:
821
                throw new RuntimeException(\sprintf('Unable to minify "%s".', $this->data['path']));
×
822
        }
823
        $this->data['content'] = $minifier->minify();
1✔
824
        $this->data['size'] = \strlen($this->data['content']);
1✔
825

826
        $this->builder->getLogger()->debug(\sprintf('Asset minified: "%s"', $this->data['path']));
1✔
827

828
        return $this;
1✔
829
    }
830

831
    /**
832
     * Returns local file path and updated path, or throw an exception.
833
     * If $fallback path is set, it will be used if the remote file is not found.
834
     *
835
     * Try to locate the file in:
836
     *   (1. remote file)
837
     *   1. assets
838
     *   2. themes/<theme>/assets
839
     *   3. static
840
     *   4. themes/<theme>/static
841
     *
842
     * @throws RuntimeException
843
     */
844
    private function locateFile(string $path, ?string $fallback = null, ?string $userAgent = null): array
845
    {
846
        // remote file
847
        if (Util\File::isRemote($path)) {
1✔
848
            try {
849
                $url = $path;
1✔
850
                $path = self::buildPathFromUrl($url);
1✔
851
                $cache = new Cache($this->builder, 'assets/remote');
1✔
852
                if (!$cache->has($path)) {
1✔
853
                    $content = $this->getRemoteFileContent($url, $userAgent);
1✔
854
                    $cache->set($path, [
1✔
855
                        'content' => $content,
1✔
856
                        'path'    => $path,
1✔
857
                    ], $this->config->get('cache.assets.remote.ttl'));
1✔
858
                }
859
                return [
1✔
860
                    'file' => $cache->getContentFilePathname($path),
1✔
861
                    'path' => $path,
1✔
862
                ];
1✔
863
            } catch (RuntimeException $e) {
1✔
864
                if (empty($fallback)) {
1✔
865
                    throw new RuntimeException($e->getMessage());
×
866
                }
867
                $path = $fallback;
1✔
868
            }
869
        }
870

871
        // checks in assets/
872
        $file = Util::joinFile($this->config->getAssetsPath(), $path);
1✔
873
        if (Util\File::getFS()->exists($file)) {
1✔
874
            return [
1✔
875
                'file' => $file,
1✔
876
                'path' => $path,
1✔
877
            ];
1✔
878
        }
879

880
        // checks in each themes/<theme>/assets/
881
        foreach ($this->config->getTheme() ?? [] as $theme) {
1✔
882
            $file = Util::joinFile($this->config->getThemeDirPath($theme, 'assets'), $path);
1✔
883
            if (Util\File::getFS()->exists($file)) {
1✔
884
                return [
1✔
885
                    'file' => $file,
1✔
886
                    'path' => $path,
1✔
887
                ];
1✔
888
            }
889
        }
890

891
        // checks in static/
892
        $file = Util::joinFile($this->config->getStaticPath(), $path);
1✔
893
        if (Util\File::getFS()->exists($file)) {
1✔
894
            return [
1✔
895
                'file' => $file,
1✔
896
                'path' => $path,
1✔
897
            ];
1✔
898
        }
899

900
        // checks in each themes/<theme>/static/
901
        foreach ($this->config->getTheme() ?? [] as $theme) {
1✔
902
            $file = Util::joinFile($this->config->getThemeDirPath($theme, 'static'), $path);
1✔
903
            if (Util\File::getFS()->exists($file)) {
1✔
904
                return [
1✔
905
                    'file' => $file,
1✔
906
                    'path' => $path,
1✔
907
                ];
1✔
908
            }
909
        }
910

911
        throw new RuntimeException(\sprintf('Unable to locate file "%s".', $path));
1✔
912
    }
913

914
    /**
915
     * Try to get remote file content.
916
     * Returns file content or throw an exception.
917
     *
918
     * @throws RuntimeException
919
     */
920
    private function getRemoteFileContent(string $path, ?string $userAgent = null): string
921
    {
922
        if (!Util\File::isRemoteExists($path)) {
1✔
923
            throw new RuntimeException(\sprintf('Unable to get remote file "%s".', $path));
1✔
924
        }
925
        if (false === $content = Util\File::fileGetContents($path, $userAgent)) {
1✔
926
            throw new RuntimeException(\sprintf('Unable to get content of remote file "%s".', $path));
×
927
        }
928
        if (\strlen($content) <= 1) {
1✔
929
            throw new RuntimeException(\sprintf('Remote file "%s" is empty.', $path));
×
930
        }
931

932
        return $content;
1✔
933
    }
934

935
    /**
936
     * Optimizing $filepath image.
937
     * Returns the new file size.
938
     */
939
    private function optimizeImage(string $filepath, string $path, int $quality): int
940
    {
941
        $message = \sprintf('Asset not optimized: "%s"', $path);
1✔
942
        $sizeBefore = filesize($filepath);
1✔
943
        Optimizer::create($quality)->optimize($filepath);
1✔
944
        $sizeAfter = filesize($filepath);
1✔
945
        if ($sizeAfter < $sizeBefore) {
1✔
946
            $message = \sprintf('Asset optimized: "%s" (%s Ko -> %s Ko)', $path, ceil($sizeBefore / 1000), ceil($sizeAfter / 1000));
×
947
        }
948
        $this->builder->getLogger()->debug($message);
1✔
949

950
        return $sizeAfter;
1✔
951
    }
952

953
    /**
954
     * Returns image size informations.
955
     *
956
     * @see https://www.php.net/manual/function.getimagesize.php
957
     *
958
     * @throws RuntimeException
959
     */
960
    private function getImageSize(): array|false
961
    {
962
        if (!$this->data['type'] == 'image') {
1✔
963
            return false;
×
964
        }
965

966
        try {
967
            if (false === $size = getimagesizefromstring($this->data['content'])) {
1✔
968
                return false;
1✔
969
            }
970
        } catch (\Exception $e) {
×
NEW
971
            throw new RuntimeException(\sprintf('Handling asset "%s" failed: "%s".', $this->data['path'], $e->getMessage()));
×
972
        }
973

974
        return $size;
1✔
975
    }
976

977
    /**
978
     * Builds CDN image URL.
979
     */
980
    private function buildImageCdnUrl(): string
981
    {
982
        return str_replace(
×
983
            [
×
984
                '%account%',
×
985
                '%image_url%',
×
986
                '%width%',
×
987
                '%quality%',
×
988
                '%format%',
×
989
            ],
×
990
            [
×
991
                $this->config->get('assets.images.cdn.account') ?? '',
×
992
                ltrim($this->data['url'] ?? (string) new Url($this->builder, $this->data['path'], ['canonical' => $this->config->get('assets.images.cdn.canonical') ?? true]), '/'),
×
993
                $this->data['width'],
×
994
                (int) $this->config->get('assets.images.quality'),
×
995
                $this->data['ext'],
×
996
            ],
×
997
            (string) $this->config->get('assets.images.cdn.url')
×
998
        );
×
999
    }
1000

1001
    /**
1002
     * Checks if the asset is not missing and is typed as an image.
1003
     *
1004
     * @throws RuntimeException
1005
     */
1006
    private function checkImage(): void
1007
    {
1008
        if ($this->data['missing']) {
1✔
1009
            throw new RuntimeException(\sprintf('Unable to resize "%s": file not found.', $this->data['path']));
×
1010
        }
1011
        if ($this->data['type'] != 'image') {
1✔
1012
            throw new RuntimeException(\sprintf('Unable to resize "%s": not an image.', $this->data['path']));
×
1013
        }
1014
    }
1015

1016
    /**
1017
     * Remove redondant '/thumbnails/<width(xheight)>/' in the path.
1018
     */
1019
    private function deduplicateThumbPath(string $path): string
1020
    {
1021
        // https://regex101.com/r/1HXJmw/1
1022
        $pattern = '/(' . self::IMAGE_THUMB . '\/\d+(x\d+){0,1}\/)(' . self::IMAGE_THUMB . '\/\d+(x\d+){0,1}\/)(.*)/i';
1✔
1023

1024
        if (null === $result = preg_replace($pattern, '$1$5', $path)) {
1✔
1025
            return $path;
×
1026
        }
1027

1028
        return $result;
1✔
1029
    }
1030
}
STATUS · Troubleshooting · Open an Issue · Sales · Support · CAREERS · ENTERPRISE · START FREE · SCHEDULE DEMO
ANNOUNCEMENTS · TWITTER · TOS & SLA · Supported CI Services · What's a CI service? · Automated Testing

© 2026 Coveralls, Inc