The Process Component

The Process Component

The Process component executes commands in sub-processes.

Installation

  1. $ composer require symfony/process

Note

If you install this component outside of a Symfony application, you must require the vendor/autoload.php file in your code to enable the class autoloading mechanism provided by Composer. Read this article for more details.

Usage

The Symfony\Component\Process\Process class executes a command in a sub-process, taking care of the differences between operating system and escaping arguments to prevent security issues. It replaces PHP functions like exec, passthru, shell_exec and system:

  1. use Symfony\Component\Process\Exception\ProcessFailedException;
  2. use Symfony\Component\Process\Process;
  3. $process = new Process(['ls', '-lsa']);
  4. $process->run();
  5. // executes after the command finishes
  6. if (!$process->isSuccessful()) {
  7. throw new ProcessFailedException($process);
  8. }
  9. echo $process->getOutput();

The getOutput() method always returns the whole content of the standard output of the command andgetErrorOutput() the content of the error output. Alternatively, the getIncrementalOutput() and getIncrementalErrorOutput() methods return the new output since the last call.

The clearOutput() method clears the contents of the output and clearErrorOutput() clears the contents of the error output.

You can also use the Symfony\Component\Process\Process class with the for each construct to get the output while it is generated. By default, the loop waits for new output before going to the next iteration:

  1. $process = new Process(['ls', '-lsa']);
  2. $process->start();
  3. foreach ($process as $type => $data) {
  4. if ($process::OUT === $type) {
  5. echo "\nRead from stdout: ".$data;
  6. } else { // $process::ERR === $type
  7. echo "\nRead from stderr: ".$data;
  8. }
  9. }

Tip

The Process component internally uses a PHP iterator to get the output while it is generated. That iterator is exposed via the `getIterator() method to allow customizing its behavior:

  1. $process = new Process(['ls', '-lsa']);
  2. $process->start();
  3. $iterator = $process->getIterator($process::ITER_SKIP_ERR | $process::ITER_KEEP_OUTPUT);
  4. foreach ($iterator as $data) {
  5. echo $data."\n";
  6. }

The mustRun() method is identical torun(), except that it will throw a Symfony\Component\Process\Exception\ProcessFailedException if the process couldn’t be executed successfully (i.e. the process exited with a non-zero code):

  1. use Symfony\Component\Process\Exception\ProcessFailedException;
  2. use Symfony\Component\Process\Process;
  3. $process = new Process(['ls', '-lsa']);
  4. try {
  5. $process->mustRun();
  6. echo $process->getOutput();
  7. } catch (ProcessFailedException $exception) {
  8. echo $exception->getMessage();
  9. }

Tip

You can get the last output time in seconds by using the getLastOutputTime() method. This method returns null if the process wasn’t started!

Configuring Process Options

New in version 5.2: The feature to configure process options was introduced in Symfony 5.2.

Symfony uses the PHP proc_open function to run the processes. You can configure the options passed to the other_options argument of proc_open() using thesetOptions() method:

  1. $process = new Process(['...', '...', '...']);
  2. // this option allows a subprocess to continue running after the main script exited
  3. $process->setOptions(['create_new_console' => true]);

Using Features From the OS Shell

Using array of arguments is the recommended way to define commands. This saves you from any escaping and allows sending signals seamlessly (e.g. to stop processes while they run):

  1. $process = new Process(['/path/command', '--option', 'argument', 'etc.']);
  2. $process = new Process(['/path/to/php', '--define', 'memory_limit=1024M', '/path/to/script.php']);

If you need to use stream redirections, conditional execution, or any other feature provided by the shell of your operating system, you can also define commands as strings using the fromShellCommandline() static factory.

Each operating system provides a different syntax for their command-lines, so it becomes your responsibility to deal with escaping and portability.

When using strings to define commands, variable arguments are passed as environment variables using the second argument of the run(),mustRun() or `start() methods. Referencing them is also OS-dependent:

  1. // On Unix-like OSes (Linux, macOS)
  2. $process = Process::fromShellCommandline('echo "$MESSAGE"');
  3. // On Windows
  4. $process = Process::fromShellCommandline('echo "!MESSAGE!"');
  5. // On both Unix-like and Windows
  6. $process->run(null, ['MESSAGE' => 'Something to output']);

If you prefer to create portable commands that are independent from the operating system, you can write the above command as follows:

  1. // works the same on Windows , Linux and macOS
  2. $process = Process::fromShellCommandline('echo "${:MESSAGE}"');

Portable commands require using a syntax that is specific to the component: when enclosing a variable name into "${: and }" exactly, the process object will replace it with its escaped value, or will fail if the variable is not found in the list of environment variables attached to the command.

Setting Environment Variables for Processes

The constructor of the Symfony\Component\Process\Process class and all of its methods related to executing processes (run(),mustRun(), `start(), etc.) allow passing an array of environment variables to set while running the process:

  1. $process = new Process(['...'], null, ['ENV_VAR_NAME' => 'value']);
  2. $process = Process::fromShellCommandline('...', null, ['ENV_VAR_NAME' => 'value']);
  3. $process->run(null, ['ENV_VAR_NAME' => 'value']);

In addition to the env vars passed explicitly, processes inherit all the env vars defined in your system. You can prevent this by setting to false the env vars you want to remove:

  1. $process = new Process(['...'], null, [
  2. 'APP_ENV' => false,
  3. 'SYMFONY_DOTENV_VARS' => false,
  4. ]);

Getting real-time Process Output

When executing a long running command (like rsync to a remote server), you can give feedback to the end user in real-time by passing an anonymous function to the run() method:

  1. use Symfony\Component\Process\Process;
  2. $process = new Process(['ls', '-lsa']);
  3. $process->run(function ($type, $buffer) {
  4. if (Process::ERR === $type) {
  5. echo 'ERR > '.$buffer;
  6. } else {
  7. echo 'OUT > '.$buffer;
  8. }
  9. });

Note

This feature won’t work as expected in servers using PHP output buffering. In those cases, either disable the output_buffering PHP option or use the ob_flush PHP function to force sending the output buffer.

Running Processes Asynchronously

You can also start the subprocess and then let it run asynchronously, retrieving output and the status in your main process whenever you need it. Use the start() method to start an asynchronous process, the isRunning() method to check if the process is done and the getOutput() method to get the output:

  1. $process = new Process(['ls', '-lsa']);
  2. $process->start();
  3. while ($process->isRunning()) {
  4. // waiting for process to finish
  5. }
  6. echo $process->getOutput();

You can also wait for a process to end if you started it asynchronously and are done doing other stuff:

  1. $process = new Process(['ls', '-lsa']);
  2. $process->start();
  3. // ... do other things
  4. $process->wait();
  5. // ... do things after the process has finished

Note

The wait() method is blocking, which means that your code will halt at this line until the external process is completed.

Note

If a Response is sent before a child process had a chance to complete, the server process will be killed (depending on your OS). It means that your task will be stopped right away. Running an asynchronous process is not the same as running a process that survives its parent process.

If you want your process to survive the request/response cycle, you can take advantage of the kernel.terminate event, and run your command synchronously inside this event. Be aware that kernel.terminate is called only if you use PHP-FPM.

Caution

Beware also that if you do that, the said PHP-FPM process will not be available to serve any new request until the subprocess is finished. This means you can quickly block your FPM pool if you’re not careful enough. That is why it’s generally way better not to do any fancy things even after the request is sent, but to use a job queue instead.

wait() takes one optional argument: a callback that is called repeatedly whilst the process is still running, passing in the output and its type:

  1. $process = new Process(['ls', '-lsa']);
  2. $process->start();
  3. $process->wait(function ($type, $buffer) {
  4. if (Process::ERR === $type) {
  5. echo 'ERR > '.$buffer;
  6. } else {
  7. echo 'OUT > '.$buffer;
  8. }
  9. });

Instead of waiting until the process has finished, you can use the waitUntil() method to keep or stop waiting based on some PHP logic. The following example starts a long running process and checks its output to wait until its fully initialized:

  1. $process = new Process(['/usr/bin/php', 'slow-starting-server.php']);
  2. $process->start();
  3. // ... do other things
  4. // waits until the given anonymous function returns true
  5. $process->waitUntil(function ($type, $output) {
  6. return $output === 'Ready. Waiting for commands...';
  7. });
  8. // ... do things after the process is ready

Streaming to the Standard Input of a Process

Before a process is started, you can specify its standard input using either the setInput() method or the 4th argument of the constructor. The provided input can be a string, a stream resource or a Traversable object:

  1. $process = new Process(['cat']);
  2. $process->setInput('foobar');
  3. $process->run();

When this input is fully written to the subprocess standard input, the corresponding pipe is closed.

In order to write to a subprocess standard input while it is running, the component provides the Symfony\Component\Process\InputStream class:

  1. $input = new InputStream();
  2. $input->write('foo');
  3. $process = new Process(['cat']);
  4. $process->setInput($input);
  5. $process->start();
  6. // ... read process output or do other things
  7. $input->write('bar');
  8. $input->close();
  9. $process->wait();
  10. // will echo: foobar
  11. echo $process->getOutput();

The write() method accepts scalars, stream resources or Traversable objects as argument. As shown in the above example, you need to explicitly call the close() method when you are done writing to the standard input of the subprocess.

Using PHP Streams as the Standard Input of a Process

The input of a process can also be defined using PHP streams:

  1. $stream = fopen('php://temporary', 'w+');
  2. $process = new Process(['cat']);
  3. $process->setInput($stream);
  4. $process->start();
  5. fwrite($stream, 'foo');
  6. // ... read process output or do other things
  7. fwrite($stream, 'bar');
  8. fclose($stream);
  9. $process->wait();
  10. // will echo: 'foobar'
  11. echo $process->getOutput();

Using TTY and PTY Modes

All examples above show that your program has control over the input of a process (using setInput()) and the output from that process (usinggetOutput()). The Process component has two special modes that tweak the relationship between your program and the process: teletype (tty) and pseudo-teletype (pty).

In TTY mode, you connect the input and output of the process to the input and output of your program. This allows for instance to open an editor like Vim or Nano as a process. You enable TTY mode by calling setTty():

  1. $process = new Process(['vim']);
  2. $process->setTty(true);
  3. $process->run();
  4. // As the output is connected to the terminal, it is no longer possible
  5. // to read or modify the output from the process!
  6. dump($process->getOutput()); // null

In PTY mode, your program behaves as a terminal for the process instead of a plain input and output. Some programs behave differently when interacting with a real terminal instead of another program. For instance, some programs prompt for a password when talking with a terminal. Use setPty() to enable this mode.

Stopping a Process

Any asynchronous process can be stopped at any time with the stop() method. This method takes two arguments: a timeout and a signal. Once the timeout is reached, the signal is sent to the running process. The default signal sent to a process is SIGKILL. Please read the signal documentation below to find out more about signal handling in the Process component:

  1. $process = new Process(['ls', '-lsa']);
  2. $process->start();
  3. // ... do other things
  4. $process->stop(3, SIGINT);

Executing PHP Code in Isolation

If you want to execute some PHP code in isolation, use the PhpProcess instead:

  1. use Symfony\Component\Process\PhpProcess;
  2. $process = new PhpProcess(<<<EOF
  3. <?= 'Hello World' ?>
  4. EOF
  5. );
  6. $process->run();

Process Timeout

By default processes have a timeout of 60 seconds, but you can change it passing a different timeout (in seconds) to the `setTimeout() method:

  1. use Symfony\Component\Process\Process;
  2. $process = new Process(['ls', '-lsa']);
  3. $process->setTimeout(3600);
  4. $process->run();

If the timeout is reached, a Symfony\Component\Process\Exception\ProcessTimedOutException is thrown.

For long running commands, it is your responsibility to perform the timeout check regularly:

  1. $process->setTimeout(3600);
  2. $process->start();
  3. while ($condition) {
  4. // ...
  5. // check if the timeout is reached
  6. $process->checkTimeout();
  7. usleep(200000);
  8. }

Tip

You can get the process start time using the `getStartTime() method.

New in version 5.1: The `getStartTime() method was introduced in Symfony 5.1.

Process Idle Timeout

In contrast to the timeout of the previous paragraph, the idle timeout only considers the time since the last output was produced by the process:

  1. use Symfony\Component\Process\Process;
  2. $process = new Process(['something-with-variable-runtime']);
  3. $process->setTimeout(3600);
  4. $process->setIdleTimeout(60);
  5. $process->run();

In the case above, a process is considered timed out, when either the total runtime exceeds 3600 seconds, or the process does not produce any output for 60 seconds.

Process Signals

When running a program asynchronously, you can send it POSIX signals with the signal() method:

  1. use Symfony\Component\Process\Process;
  2. $process = new Process(['find', '/', '-name', 'rabbit']);
  3. $process->start();
  4. // will send a SIGKILL to the process
  5. $process->signal(SIGKILL);

Process Pid

You can access the pid of a running process with the getPid() method:

  1. use Symfony\Component\Process\Process;
  2. $process = new Process(['/usr/bin/php', 'worker.php']);
  3. $process->start();
  4. $pid = $process->getPid();

Disabling Output

As standard output and error output are always fetched from the underlying process, it might be convenient to disable output in some cases to save memory. Use disableOutput() and enableOutput() to toggle this feature:

  1. use Symfony\Component\Process\Process;
  2. $process = new Process(['/usr/bin/php', 'worker.php']);
  3. $process->disableOutput();
  4. $process->run();

Caution

You cannot enable or disable the output while the process is running.

If you disable the output, you cannot access getOutput(),getIncrementalOutput(), getErrorOutput(),getIncrementalErrorOutput() or `setIdleTimeout().

However, it is possible to pass a callback to the start, run or mustRun methods to handle process output in a streaming fashion.

Finding an Executable

The Process component provides a utility class called Symfony\Component\Process\ExecutableFinder which finds and returns the absolute path of an executable:

  1. use Symfony\Component\Process\ExecutableFinder;
  2. $executableFinder = new ExecutableFinder();
  3. $chromedriverPath = $executableFinder->find('chromedriver');
  4. // $chromedriverPath = '/usr/local/bin/chromedriver' (the result will be different on your computer)

The find() method also takes extra parameters to specify a default value to return and extra directories where to look for the executable:

  1. use Symfony\Component\Process\ExecutableFinder;
  2. $executableFinder = new ExecutableFinder();
  3. $chromedriverPath = $executableFinder->find('chromedriver', '/path/to/chromedriver', ['local-bin/']);

Finding the Executable PHP Binary

This component also provides a special utility class called Symfony\Component\Process\PhpExecutableFinder which returns the absolute path of the executable PHP binary available on your server:

  1. use Symfony\Component\Process\PhpExecutableFinder;
  2. $phpBinaryFinder = new PhpExecutableFinder();
  3. $phpBinaryPath = $phpBinaryFinder->find();
  4. // $phpBinaryPath = '/usr/local/bin/php' (the result will be different on your computer)

Checking for TTY Support

Another utility provided by this component is a method called isTtySupported() which returns whether TTY) is supported on the current operating system:

  1. use Symfony\Component\Process\Process;
  2. $process = (new Process())->setTty(Process::isTtySupported());

This work, including the code samples, is licensed under a Creative Commons BY-SA 3.0 license.