rahul16590
rahul16590

Reputation: 401

How to run Python Script in Laravel?

I wanted to know how to run python script using php code. I have tried different options like

 $output = exec("python  /var/GAAutomationScript.py");

 $command = escapeshellcmd('/var/GAAutomationScript.py');
 $output = shell_exec($command);

But unable to run the python script. My application is in Laravel. Is it possible to run python script using Laravel scheduler jobs e.g. using artisan commands?

Upvotes: 8

Views: 9555

Answers (2)

Usman jalil
Usman jalil

Reputation: 11

You can try this for executing the Python script using Laravel's Process class (Laravel uses Process class from Symfony's Process component):

<?php

use Illuminate\Support\Facades\Process;
use Illuminate\Process\Exceptions\ProcessFailedException;

public function testPythonScript()
{
    $process = new Process(['python3', '/path/to/your_script.py', 'arg1', 'arg2']);
    $result = $process->run();
    
    if (!$result->successful()) {
        throw new ProcessFailedException($process);
    }

    $data = $result->output();

    dd($data);
}

Upvotes: 1

Mihir Bhende
Mihir Bhende

Reputation: 9055

Some things to mention about your question :

  • I will highly recommend use symfony/process instead of shell_exec directly. It is already available in laravel. You can check easily if your command is successful or not and get standard output in string format etc
  • When you run a shell script from a web app, the user permissions matter. For example, the laravel web user is www-data and your python script is lets say ubuntu.nbody for example, it will then check what permissions the python script has. Are users other than ubuntu in this example are allowed to run it.
  • Then if you think giving 777 permissions to python script will get rid of the permission problem then thats a risk too.
  • Last but not the least, create a laravel console command, add the snippet which would run python script from symfony/process. Then run it and debug the errors. once it works then you can add that as in laravel's cron jon.

See this to know mo about scheduling artisan commands.

You can also avoid creating artisan command and add shell directly, as it internally uses symfony/process. See this for that reference

Upvotes: 3

Related Questions