Running a Zend Framework action from command line

PhpZend FrameworkCommand Line

Php Problem Overview


I would like to run a Zend Framework action to generate some files, from command line. Is this possible and how much change would I need to make to my existing Web project that is using ZF?

Thanks!

Php Solutions


Solution 1 - Php

UPDATE

You can have all this code adapted for ZF 1.12 from https://github.com/akond/zf-cli if you like.

While the solution #1 is ok, sometimes you want something more elaborate. Especially if you are expecting to have more than just one CLI script. If you allow me, I would propose another solution.

First of all, have in your Bootstrap.php

protected function _initRouter ()
{
	if (PHP_SAPI == 'cli')
	{
		$this->bootstrap ('frontcontroller');
		$front = $this->getResource('frontcontroller');
		$front->setRouter (new Application_Router_Cli ());
		$front->setRequest (new Zend_Controller_Request_Simple ());
	}
}

This method will deprive dispatching control from default router in favour of our own router Application_Router_Cli.

Incidentally, if you have defined your own routes in _initRoutes for your web interface, you would probably want to neutralize them when in command-line mode.

protected function _initRoutes ()
{
	$router = Zend_Controller_Front::getInstance ()->getRouter ();
	if ($router instanceof Zend_Controller_Router_Rewrite)
	{
		// put your web-interface routes here, so they do not interfere
	}
}

Class Application_Router_Cli (I assume you have autoload switched on for Application prefix) may look like:

class Application_Router_Cli extends Zend_Controller_Router_Abstract
{
	public function route (Zend_Controller_Request_Abstract $dispatcher)
	{
		$getopt = new Zend_Console_Getopt (array ());
		$arguments = $getopt->getRemainingArgs ();
		if ($arguments)
		{
			$command = array_shift ($arguments);
			if (! preg_match ('~\W~', $command))
			{
				$dispatcher->setControllerName ($command);
				$dispatcher->setActionName ('cli');
				unset ($_SERVER ['argv'] [1]);

				return $dispatcher;
			}

			echo "Invalid command.\n", exit;

		}

		echo "No command given.\n", exit;
	}


	public function assemble ($userParams, $name = null, $reset = false, $encode = true)
	{
		echo "Not implemented\n", exit;
	}
}

Now you can simply run your application by executing

php index.php backup

In this case cliAction method in BackupController controller will be called.

class BackupController extends Zend_Controller_Action
{
	function cliAction ()
	{
		print "I'm here.\n";
	}
}

You can even go ahead and modify Application_Router_Cli class so that not "cli" action is taken every time, but something that user have chosen through an additional parameter.

And one last thing. Define custom error handler for command-line interface so you won't be seeing any html code on your screen

In Bootstrap.php

protected function _initError ()
{
	$error = $frontcontroller->getPlugin ('Zend_Controller_Plugin_ErrorHandler');
	$error->setErrorHandlerController ('index');

	if (PHP_SAPI == 'cli')
	{
		$error->setErrorHandlerController ('error');
		$error->setErrorHandlerAction ('cli');
	}
}

In ErrorController.php

function cliAction ()
{
	$this->_helper->viewRenderer->setNoRender (true);

	foreach ($this->_getParam ('error_handler') as $error)
	{
		if ($error instanceof Exception)
		{
			print $error->getMessage () . "\n";
		}
	}
}

Solution 2 - Php

It's actually much easier than you might think. The bootstrap/application components and your existing configs can be reused with CLI scripts, while avoiding the MVC stack and unnecessary weight that is invoked in a HTTP request. This is one advantage to not using wget.

Start your script as your would your public index.php:

<?php

// Define path to application directory
defined('APPLICATION_PATH')
    || define('APPLICATION_PATH',
              realpath(dirname(__FILE__) . '/../application'));

// Define application environment
defined('APPLICATION_ENV')
    || define('APPLICATION_ENV',
              (getenv('APPLICATION_ENV') ? getenv('APPLICATION_ENV')
                                         : 'production'));

require_once 'Zend/Application.php';
$application = new Zend_Application(
    APPLICATION_ENV,
    APPLICATION_PATH . '/configs/config.php'
);

//only load resources we need for script, in this case db and mail
$application->getBootstrap()->bootstrap(array('db', 'mail'));

You can then proceed to use ZF resources just as you would in an MVC application:

$db = $application->getBootstrap()->getResource('db');

$row = $db->fetchRow('SELECT * FROM something');

If you wish to add configurable arguments to your CLI script, take a look at Zend_Console_Getopt

If you find that you have common code that you also call in MVC applications, look at wrapping it up in an object and calling that object's methods from both the MVC and the command line applications. This is general good practice.

Solution 3 - Php

Just saw this one get tagged in my CP. If you stumbled onto this post and are using ZF2, it's gotten MUCH easier. Just edit your module.config.php's routes like so:

/**
 * Router
 */

'router' => array(
    'routes' => array(
        
        // .. these are your normal web routes, look further down
    ),
),

/**
 * Console Routes
 */
'console' => array(
    'router' => array(
        'routes' => array(
        
            /* Sample Route */
            'do-cli' => array(
                'options' => array(
                    'route'    => 'do cli',
                    'defaults' => array(
                        'controller' => 'Application\Controller\Index',
                        'action'     => 'do-cli',
                    ),
                ),
            ),
        ),    
    ),
),

Using the config above, you would define doCliAction in your IndexController.php under your Application module. Running it is cake, from the command line:

php index.php do cli

Done! Way smoother.

Solution 4 - Php

akond's solution above is on the best track, but there are some subtleties that may may his script not work in your environment. Consider these tweaks to his answer:

Bootstrap.php

protected function _initRouter()
{
    if( PHP_SAPI == 'cli' )
    {
        $this->bootstrap( 'FrontController' );
        $front = $this->getResource( 'FrontController' );
        $front->setParam('disableOutputBuffering', true);
        $front->setRouter( new Application_Router_Cli() );
        $front->setRequest( new Zend_Controller_Request_Simple() );
    }
}

Init error would probably barf as written above, the error handler is probably not yet instantiated unless you've changed the default config.

protected function _initError ()
{
    $this->bootstrap( 'FrontController' );
    $front = $this->getResource( 'FrontController' );
    $front->registerPlugin( new Zend_Controller_Plugin_ErrorHandler() );
    $error = $front->getPlugin ('Zend_Controller_Plugin_ErrorHandler');
    $error->setErrorHandlerController('index');

    if (PHP_SAPI == 'cli')
    {
        $error->setErrorHandlerController ('error');
        $error->setErrorHandlerAction ('cli');
    }
}

You probably, also, want to munge more than one parameter from the command line, here's a basic example:

class Application_Router_Cli extends Zend_Controller_Router_Abstract
{
    public function route (Zend_Controller_Request_Abstract $dispatcher)
    {
        $getopt     = new Zend_Console_Getopt (array ());
        $arguments  = $getopt->getRemainingArgs();
        
        if ($arguments)
        {
            $command = array_shift( $arguments );
            $action  = array_shift( $arguments );
            if(!preg_match ('~\W~', $command) )
            {
                $dispatcher->setControllerName( $command );
                $dispatcher->setActionName( $action );
                $dispatcher->setParams( $arguments );
                return $dispatcher;
            }

            echo "Invalid command.\n", exit;

        }

        echo "No command given.\n", exit;
    }


    public function assemble ($userParams, $name = null, $reset = false, $encode = true)
    {
        echo "Not implemented\n", exit;
    }
}

Lastly, in your controller, the action that you invoke make use of the params that were orphaned by the removal of the controller and action by the CLI router:

public function echoAction()
{
    // disable rendering as required
    $database_name     = $this->getRequest()->getParam(0);        
    $udata             = array();
        
    if( ($udata = $this->getRequest()->getParam( 1 )) )
        $udata         = explode( ",", $udata );
        
    echo $database_name;
    var_dump( $udata );
}

You could then invoke your CLI command with:

php index.php Controller Action ....

For example, as above:

php index.php Controller echo database123 this,becomes,an,array

You'll want to implement a more robust filtering/escaping, but, it's a quick building block. Hope this helps!

Solution 5 - Php

One option is that you could fudge it by doing a wget on the URL that you use to invoke the desirable action

Solution 6 - Php

You cant use -O option of wget to save the output. But wget is clearly NOT the solution. Prefer using CLI instead.

Solution 7 - Php

akond idea works great, except the error exception isnt rendered by the error controller.

public function cliAction() {
  $this->_helper->layout->disableLayout();
  $this->_helper->viewRenderer->setNoRender(true);

  foreach ($this->_getParam('error_handler') as $error) {
    if ($error instanceof Exception) {
      print "cli-error: " . $error->getMessage() . "\n";
    }
  }
}

and In Application_Router_Cli, comment off the echo and die statement

public function assemble($userParams, $name = null, $reset = false, $encode = true) {
//echo "Not implemented\n";
}

Solution 8 - Php

You can just use PHP as you would normally from the command line. If you call a script from PHP and either set the action in your script you can then run whatever you want.

It would be quite simple really. Its not really the intended usage, however this is how it could work if you wanted to.

For example

 php script.php 

Read here: http://php.net/manual/en/features.commandline.php

Solution 9 - Php

You can use wget command if your OS is Linux. For example:

wget http://example.com/controller/action

See http://linux.about.com/od/commands/l/blcmdl1_wget.htm

UPDATE:

You could write a simple bash script like this:

if wget http://example.com/controller/action
    echo "Hello World!" > /home/wasdownloaded.txt
else
    "crap, wget timed out, let's remove the file."
    rm /home/wasdownloaded.txt
fi

Then you can do in PHP:

if (true === file_exists('/home/wasdownloaded.txt') {
    // to check that the 
}

Hope this helps.

Solution 10 - Php

I have used wget command

wget http://example.com/module/controller/action -O /dev/null

-O /dev/null if you dont want to save the output

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionAriodView Question on Stackoverflow
Solution 1 - PhpakondView Answer on Stackoverflow
Solution 2 - PhpDavid Snabel-CauntView Answer on Stackoverflow
Solution 3 - PhpSaevenView Answer on Stackoverflow
Solution 4 - PhpSaevenView Answer on Stackoverflow
Solution 5 - PhpmarsbomberView Answer on Stackoverflow
Solution 6 - PhpantoinegView Answer on Stackoverflow
Solution 7 - Phpjames tanView Answer on Stackoverflow
Solution 8 - PhpLaykeView Answer on Stackoverflow
Solution 9 - PhpRichard KnopView Answer on Stackoverflow
Solution 10 - PhphhsView Answer on Stackoverflow