Serve   B
last analyzed

Complexity

Total Complexity 49

Size/Duplication

Total Lines 330
Duplicated Lines 0 %

Importance

Changes 10
Bugs 2 Features 0
Metric Value
eloc 186
c 10
b 2
f 0
dl 0
loc 330
rs 8.48
wmc 49

6 Methods

Rating   Name   Duplication   Size   Complexity  
A configure() 0 22 1
F execute() 0 177 32
A setupWatcher() 0 10 3
A buildSuccessActions() 0 15 5
A setUpServer() 0 28 6
A tearDownServer() 0 9 2

How to fix   Complexity   

Complex Class

Complex classes like Serve often do a lot of different things. To break such a class down, we need to identify a cohesive component within that class. A common approach to find such a component is to look for fields/methods that share the same prefixes, or suffixes.

Once you have determined the fields that belong together, you can apply the Extract Class refactoring. If the component makes sense as a sub-class, Extract Subclass is also a candidate, and is often faster.

While breaking up the class, it is a good idea to analyze how other classes use Serve, and based on these observations, apply Extract Interface, too.

1
<?php
2
3
/**
4
 * This file is part of Cecil.
5
 *
6
 * (c) Arnaud Ligny <[email protected]>
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\Command;
15
16
use Cecil\Exception\RuntimeException;
17
use Cecil\Util;
18
use Symfony\Component\Console\Input\InputArgument;
19
use Symfony\Component\Console\Input\InputInterface;
20
use Symfony\Component\Console\Input\InputOption;
21
use Symfony\Component\Console\Output\OutputInterface;
22
use Symfony\Component\Filesystem\Exception\IOExceptionInterface;
23
use Symfony\Component\Finder\Finder;
24
use Symfony\Component\Process\Exception\ProcessFailedException;
25
use Symfony\Component\Process\PhpExecutableFinder;
26
use Symfony\Component\Process\Process;
27
use Yosymfony\ResourceWatcher\Crc32ContentHash;
28
use Yosymfony\ResourceWatcher\ResourceCacheMemory;
29
use Yosymfony\ResourceWatcher\ResourceWatcher;
30
31
/**
32
 * Serve command.
33
 *
34
 * This command starts the built-in web server with live reloading capabilities.
35
 * It allows users to serve their website locally and automatically rebuild it when changes are detected.
36
 * It also supports opening the web browser automatically and includes options for drafts, optimization, and more.
37
 */
38
class Serve extends AbstractCommand
39
{
40
    /** @var boolean */
41
    protected $watcherEnabled;
42
43
    /**
44
     * {@inheritdoc}
45
     */
46
    protected function configure()
47
    {
48
        $this
49
            ->setName('serve')
50
            ->setDescription('Starts the built-in server')
51
            ->setDefinition([
52
                new InputArgument('path', InputArgument::OPTIONAL, 'Use the given path as working directory'),
53
                new InputOption('open', 'o', InputOption::VALUE_NONE, 'Open web browser automatically'),
54
                new InputOption('host', null, InputOption::VALUE_REQUIRED, 'Server host', 'localhost'),
55
                new InputOption('port', null, InputOption::VALUE_REQUIRED, 'Server port', '8000'),
56
                new InputOption('watch', 'w', InputOption::VALUE_NEGATABLE, 'Enable (or disable --no-watch) changes watcher (enabled by default)', true),
57
                new InputOption('drafts', 'd', InputOption::VALUE_NONE, 'Include drafts'),
58
                new InputOption('optimize', null, InputOption::VALUE_NEGATABLE, 'Enable (or disable --no-optimize) optimization of generated files'),
59
                new InputOption('config', 'c', InputOption::VALUE_REQUIRED, 'Set the path to extra config files (comma-separated)'),
60
                new InputOption('clear-cache', null, InputOption::VALUE_OPTIONAL, 'Clear cache before build (optional cache key as regular expression)', false),
61
                new InputOption('page', 'p', InputOption::VALUE_REQUIRED, 'Build a specific page'),
62
                new InputOption('no-ignore-vcs', null, InputOption::VALUE_NONE, 'Changes watcher must not ignore VCS directories'),
63
                new InputOption('metrics', 'm', InputOption::VALUE_NONE, 'Show build metrics (duration and memory) of each step'),
64
                new InputOption('timeout', null, InputOption::VALUE_REQUIRED, 'Sets the process timeout (max. runtime) in seconds', 7200), // default is 2 hours
65
            ])
66
            ->setHelp(
67
                <<<'EOF'
68
The <info>%command.name%</> command starts the live-reloading-built-in web server.
69
70
  <info>%command.full_name%</>
71
  <info>%command.full_name% path/to/the/working/directory</>
72
  <info>%command.full_name% --open</>
73
  <info>%command.full_name% --drafts</>
74
  <info>%command.full_name% --no-watch</>
75
76
You can use a custom host and port by using the <info>--host</info> and <info>--port</info> options:
77
78
  <info>%command.full_name% --host=127.0.0.1 --port=8080</>
79
80
To build the website with an extra configuration file, you can use the <info>--config</info> option.
81
This is useful during local development to <comment>override some settings</comment> without modifying the main configuration:
82
83
  <info>%command.full_name% --config=config/dev.yml</>
84
85
To start the server with changes watcher <comment>not ignoring VCS</comment> directories, run:
86
87
  <info>%command.full_name% --no-ignore-vcs</>
88
89
To define the process <comment>timeout</comment> (in seconds), run:
90
91
  <info>%command.full_name% --timeout=7200</>
92
EOF
93
            );
94
    }
95
96
    /**
97
     * {@inheritdoc}
98
     *
99
     * @throws RuntimeException
100
     */
101
    protected function execute(InputInterface $input, OutputInterface $output)
102
    {
103
        $open = $input->getOption('open');
104
        $host = $input->getOption('host');
105
        $port = $input->getOption('port');
106
        $drafts = $input->getOption('drafts');
107
        $optimize = $input->getOption('optimize');
108
        $clearcache = $input->getOption('clear-cache');
109
        $page = $input->getOption('page');
110
        $noignorevcs = $input->getOption('no-ignore-vcs');
111
        $metrics = $input->getOption('metrics');
112
        $timeout = $input->getOption('timeout');
113
        $verbose = $input->getOption('verbose');
114
115
        $resourceWatcher = null;
116
        $this->watcherEnabled = $input->getOption('watch');
117
118
        // checks if PHP executable is available
119
        $phpFinder = new PhpExecutableFinder();
120
        $php = $phpFinder->find();
121
        if ($php === false) {
122
            throw new RuntimeException('Can\'t find a local PHP executable.');
123
        }
124
125
        // setup server
126
        $this->setUpServer();
127
        $command = \sprintf(
128
            '"%s" -S %s:%d -t "%s" "%s"',
129
            $php,
130
            $host,
131
            $port,
132
            Util::joinFile($this->getPath(), self::SERVE_OUTPUT),
133
            Util::joinFile($this->getPath(), self::TMP_DIR, 'router.php')
134
        );
135
        $process = Process::fromShellCommandline($command);
136
137
        // setup build process
138
        $buildProcessArguments = [
139
            $php,
140
            $_SERVER['argv'][0],
141
        ];
142
        $buildProcessArguments[] = 'build';
143
        $buildProcessArguments[] = $this->getPath();
144
        if (!empty($this->getConfigFiles())) {
145
            $buildProcessArguments[] = '--config';
146
            $buildProcessArguments[] = implode(',', $this->getConfigFiles());
147
        }
148
        if ($drafts) {
149
            $buildProcessArguments[] = '--drafts';
150
        }
151
        if ($optimize === true) {
152
            $buildProcessArguments[] = '--optimize';
153
        }
154
        if ($optimize === false) {
155
            $buildProcessArguments[] = '--no-optimize';
156
        }
157
        if ($clearcache === null) {
158
            $buildProcessArguments[] = '--clear-cache';
159
        }
160
        if (!empty($clearcache)) {
161
            $buildProcessArguments[] = '--clear-cache';
162
            $buildProcessArguments[] = $clearcache;
163
        }
164
        if ($verbose) {
165
            $buildProcessArguments[] = '-' . str_repeat('v', $_SERVER['SHELL_VERBOSITY']);
166
        }
167
        if (!empty($page)) {
168
            $buildProcessArguments[] = '--page';
169
            $buildProcessArguments[] = $page;
170
        }
171
        if (!empty($metrics)) {
172
            $buildProcessArguments[] = '--metrics';
173
        }
174
        $buildProcessArguments[] = '--baseurl';
175
        $buildProcessArguments[] = "http://$host:$port/";
176
        $buildProcessArguments[] = '--output';
177
        $buildProcessArguments[] = self::SERVE_OUTPUT;
178
        $buildProcess = new Process(
179
            $buildProcessArguments,
180
            null,
181
            ['BOX_REQUIREMENT_CHECKER' => '0'] // prevents double check (build then serve)
182
        );
183
        $buildProcess->setTty(Process::isTtySupported());
184
        $buildProcess->setPty(Process::isPtySupported());
185
        $buildProcess->setTimeout((float) $timeout);
186
        $processOutputCallback = function ($type, $buffer) use ($output) {
187
            $output->write($buffer, false, OutputInterface::OUTPUT_RAW);
188
        };
189
190
        // builds before serve
191
        $output->writeln(\sprintf('<comment>Build process: %s</comment>', implode(' ', $buildProcessArguments)), OutputInterface::VERBOSITY_DEBUG);
192
        $buildProcess->run($processOutputCallback);
193
        if ($buildProcess->isSuccessful()) {
194
            $this->buildSuccessActions($output);
195
        }
196
        if ($buildProcess->getExitCode() !== 0) {
197
            return 1;
198
        }
199
200
        // handles serve process
201
        if (!$process->isStarted()) {
202
            $messageSuffix = '';
203
            // setup resource watcher
204
            if ($this->watcherEnabled) {
205
                $resourceWatcher = $this->setupWatcher($noignorevcs);
206
                $resourceWatcher->initialize();
207
                $messageSuffix = ' with changes watcher';
208
            }
209
            // starts server
210
            try {
211
                if (\function_exists('\pcntl_signal')) {
212
                    pcntl_async_signals(true);
213
                    pcntl_signal(SIGINT, [$this, 'tearDownServer']);
214
                    pcntl_signal(SIGTERM, [$this, 'tearDownServer']);
215
                }
216
                $output->writeln(\sprintf('<comment>Server process: %s</comment>', $command), OutputInterface::VERBOSITY_DEBUG);
217
                $output->writeln(\sprintf('Starting server (<href=http://%s:%d>http://%s:%d</>)%s...', $host, $port, $host, $port, $messageSuffix));
218
                $process->start(function ($type, $buffer) {
219
                    if ($type === Process::ERR) {
220
                        error_log($buffer, 3, Util::joinFile($this->getPath(), self::TMP_DIR, 'errors.log'));
221
                    }
222
                });
223
                if ($open) {
224
                    $output->writeln('Opening web browser...');
225
                    Util\Platform::openBrowser(\sprintf('http://%s:%s', $host, $port));
226
                }
227
                while ($process->isRunning()) {
228
                    sleep(1); // wait for server is ready
229
                    if (!fsockopen($host, (int) $port)) {
230
                        $output->writeln('<info>Server is not ready.</info>');
231
232
                        return 1;
233
                    }
234
                    if ($this->watcherEnabled && $resourceWatcher instanceof ResourceWatcher) {
235
                        $watcher = $resourceWatcher->findChanges();
236
                        if ($watcher->hasChanges()) {
237
                            $output->writeln('<comment>Changes detected.</comment>');
238
                            // prints deleted/new/updated files in debug mode
239
                            if (\count($watcher->getDeletedFiles()) > 0) {
240
                                $output->writeln('<comment>Deleted files:</comment>', OutputInterface::VERBOSITY_DEBUG);
241
                                foreach ($watcher->getDeletedFiles() as $file) {
242
                                    $output->writeln("<comment>- $file</comment>", OutputInterface::VERBOSITY_DEBUG);
243
                                }
244
                            }
245
                            if (\count($watcher->getNewFiles()) > 0) {
246
                                $output->writeln('<comment>New files:</comment>', OutputInterface::VERBOSITY_DEBUG);
247
                                foreach ($watcher->getNewFiles() as $file) {
248
                                    $output->writeln("<comment>- $file</comment>", OutputInterface::VERBOSITY_DEBUG);
249
                                }
250
                            }
251
                            if (\count($watcher->getUpdatedFiles()) > 0) {
252
                                $output->writeln('<comment>Updated files:</comment>', OutputInterface::VERBOSITY_DEBUG);
253
                                foreach ($watcher->getUpdatedFiles() as $file) {
254
                                    $output->writeln("<comment>- $file</comment>", OutputInterface::VERBOSITY_DEBUG);
255
                                }
256
                            }
257
                            $output->writeln('');
258
                            // re-builds
259
                            $buildProcess->run($processOutputCallback);
260
                            if ($buildProcess->isSuccessful()) {
261
                                $this->buildSuccessActions($output);
262
                            }
263
                            $output->writeln('<info>Server is runnning...</info>');
264
                        }
265
                    }
266
                }
267
                if ($process->getExitCode() > 0) {
268
                    $output->writeln(\sprintf('<comment>%s</comment>', trim($process->getErrorOutput())));
269
                }
270
            } catch (ProcessFailedException $e) {
271
                $this->tearDownServer();
272
273
                throw new RuntimeException(\sprintf($e->getMessage()));
274
            }
275
        }
276
277
        return 0;
278
    }
279
280
    /**
281
     * Build success actions.
282
     */
283
    private function buildSuccessActions(OutputInterface $output): void
284
    {
285
        // writes `changes.flag` file
286
        if ($this->watcherEnabled) {
287
            Util\File::getFS()->dumpFile(Util::joinFile($this->getPath(), self::TMP_DIR, 'changes.flag'), time());
288
        }
289
        // writes `headers.ini` file
290
        $headers = $this->getBuilder()->getConfig()->get('server.headers');
291
        if (is_iterable($headers)) {
292
            $output->writeln('Writing headers file...');
293
            Util\File::getFS()->remove(Util::joinFile($this->getPath(), self::TMP_DIR, 'headers.ini'));
294
            foreach ($headers as $entry) {
295
                Util\File::getFS()->appendToFile(Util::joinFile($this->getPath(), self::TMP_DIR, 'headers.ini'), "[{$entry['path']}]\n");
296
                foreach ($entry['headers'] ?? [] as $header) {
297
                    Util\File::getFS()->appendToFile(Util::joinFile($this->getPath(), self::TMP_DIR, 'headers.ini'), "{$header['key']} = \"{$header['value']}\"\n");
298
                }
299
            }
300
        }
301
    }
302
303
    /**
304
     * Sets up the watcher.
305
     */
306
    private function setupWatcher(bool $noignorevcs = false): ResourceWatcher
307
    {
308
        $finder = new Finder();
309
        $finder->files()
310
            ->in($this->getPath())
311
            ->exclude((string) $this->getBuilder()->getConfig()->get('output.dir'));
312
        if (file_exists(Util::joinFile($this->getPath(), '.gitignore')) && $noignorevcs === false) {
313
            $finder->ignoreVCSIgnored(true);
314
        }
315
        return new ResourceWatcher(new ResourceCacheMemory(), $finder, new Crc32ContentHash());
316
    }
317
318
    /**
319
     * Prepares server's files.
320
     *
321
     * @throws RuntimeException
322
     */
323
    private function setUpServer(): void
324
    {
325
        try {
326
            // define root path
327
            $root = Util\Platform::isPhar() ? Util\Platform::getPharPath() . '/' : realpath(Util::joinFile(__DIR__, '/../../'));
328
            // copying router
329
            Util\File::getFS()->copy(
330
                $root . '/resources/server/router.php',
331
                Util::joinFile($this->getPath(), self::TMP_DIR, 'router.php'),
332
                true
333
            );
334
            // copying livereload JS for watcher
335
            $livereloadJs = Util::joinFile($this->getPath(), self::TMP_DIR, 'livereload.js');
336
            if (is_file($livereloadJs)) {
337
                Util\File::getFS()->remove($livereloadJs);
338
            }
339
            if ($this->watcherEnabled) {
340
                Util\File::getFS()->copy(
341
                    $root . '/resources/server/livereload.js',
342
                    $livereloadJs,
343
                    true
344
                );
345
            }
346
        } catch (IOExceptionInterface $e) {
347
            throw new RuntimeException(\sprintf('An error occurred while copying server\'s files to "%s".', $e->getPath()));
348
        }
349
        if (!is_file(Util::joinFile($this->getPath(), self::TMP_DIR, 'router.php'))) {
350
            throw new RuntimeException(\sprintf('Router not found: "%s".', Util::joinFile(self::TMP_DIR, 'router.php')));
351
        }
352
    }
353
354
    /**
355
     * Removes temporary directory.
356
     *
357
     * @throws RuntimeException
358
     */
359
    public function tearDownServer(): void
360
    {
361
        $this->output->writeln('');
362
        $this->output->writeln('<info>Server stopped.</info>');
363
364
        try {
365
            Util\File::getFS()->remove(Util::joinFile($this->getPath(), self::TMP_DIR));
366
        } catch (IOExceptionInterface $e) {
367
            throw new RuntimeException($e->getMessage());
368
        }
369
    }
370
}
371