Application¶
Overview¶
The Phalcon\Mvc\Application component encapsulates the operations required to run an MVC application. It integrates all the necessary components and services, providing a full-stack application experience.
Quick Start¶
To quickly get started with Phalcon\Mvc\Application, you can use the following code snippet:
<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Mvc\Application;
// Create a DI container
$container = new FactoryDefault();
// Create an application instance
$application = new Application($container);
try {
    // Handle the request and send the response
    $response = $application->handle($_SERVER["REQUEST_URI"]);
    $response->send();
} catch (\Exception $e) {
    echo 'Exception: ', $e->getMessage();
}
NOTE
handle() accepts a URI and will not operate without it. You can pass the $_SERVER["REQUEST_URI"] as a parameter
Methods¶
Constructor. Accepts a DI container with relevant services Returns the default module name Returns the internal event manager Gets the module definition registered in the application via the module name Return the modules registered in the application Register an array of modules present in the application$this->registerModules(
    [
        "front" => [
            "className" => \Multi\Front\Module::class,
            "path"      => "../apps/front/Module.php",
        ],
        "back" => [
            "className" => \Multi\Back\Module::class,
            "path"      => "../apps/back/Module.php",
        ],
    ]
);
$_SERVER['REQUEST_URI]`)  Enables or disables sending cookies by each request handling  Enables or disables sending headers by each request handling  This is enabled by default. The view is implicitly buffering all the output. You can fully disable the view component using this method Activation¶
Phalcon\Mvc\Application performs all the work necessary to glue all the necessary components together so that the application can run. There are several ways that you can bootstrap your application. The most common way to bootstrap the application is:
<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Mvc\Application;
$container = new FactoryDefault();
// Services
// ...
// Create an application instance
$application = new Application($container);
try {
    // Handle the request and send the response
    $response = $application->handle(
        $_SERVER["REQUEST_URI"]
    );
    $response->send();
} catch (\Exception $e) {
    echo 'Exception: ', $e->getMessage();
}
The core of all the work of the controller occurs when handle() is invoked:
Manual Bootstrapping¶
If you prefer not to use Phalcon\Mvc\Application, you can manually handle the bootstrapping process based on your application's requirements. Below are alternative approaches for manual bootstrapping:
Standard Web Application¶
<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Mvc\Application;
$container = new FactoryDefault();
// Get the 'router' service
$router = $container['router'];
// Handle the request
$router->handle(
    $_SERVER["REQUEST_URI"]
);
// Get the 'view' service
$view = $container['view'];
// Get the 'dispatcher' service
$dispatcher = $container['dispatcher'];
// Set controller, action, and params based on router
$dispatcher->setControllerName(
    $router->getControllerName()
);
$dispatcher->setActionName(
    $router->getActionName()
);
$dispatcher->setParams(
    $router->getParams()
);
// Start buffering the view output
$view->start();
// Dispatch the request
$dispatcher->dispatch();
// Render the view with controller, action, and params
$view->render(
    $dispatcher->getControllerName(),
    $dispatcher->getActionName(),
    $dispatcher->getParams()
);
// Finish buffering the view output
$view->finish();
// Get the 'response' service
$response = $container['response'];
// Set the response content from the view output
$response->setContent(
    $view->getContent()
);
// Send the response
$response->send();
REST API¶
<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Http\ResponseInterface;
use Phalcon\Mvc\Application;
$container = new FactoryDefault();
// Get the 'router' service
$router = $container['router'];
// Handle the request
$router->handle(
    $_SERVER["REQUEST_URI"]
);
// Get the 'dispatcher' service
$dispatcher = $container['dispatcher'];
// Set controller, action, and params based on router
$dispatcher->setControllerName(
    $router->getControllerName()
);
$dispatcher->setActionName(
    $router->getActionName()
);
$dispatcher->setParams(
    $router->getParams()
);
// Dispatch the request
$dispatcher->dispatch();
// Get the returned value from the dispatcher
$response = $dispatcher->getReturnedValue();
// If the response is an instance of ResponseInterface, send it
if ($response instanceof ResponseInterface) {
    $response->send();
}
Catching Exceptions¶
<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Http\ResponseInterface;
use Phalcon\Mvc\Application;
use Phalcon\Mvc\Dispatcher\Exception as DispatcherException;
$container = new FactoryDefault();
// Get the 'router' service
$router = $container['router'];
// Handle the request
$router->handle(
    $_SERVER["REQUEST_URI"]
);
// Get the 'dispatcher' service
$dispatcher = $container['dispatcher'];
// Set controller, action, and params based on router
$dispatcher->setControllerName(
    $router->getControllerName()
);
$dispatcher->setActionName(
    $router->getActionName()
);
$dispatcher->setParams(
    $router->getParams()
);
try {
    // Dispatch the request
    $dispatcher->dispatch();
} catch (DispatcherException $e) {
    // Handle exceptions, for example,
    // forward to a 503 error page
    $dispatcher->setControllerName('errors');
    $dispatcher->setActionName('action503');
    $dispatcher->dispatch();
}
// Get the returned value from the dispatcher
$response = $dispatcher->getReturnedValue();
// If the response is an instance of
// `ResponseInterface`, send it
if ($response instanceof ResponseInterface) {
    $response->send();
}
Choose the option that best fits your application's needs. Depending on your requirements, you may have full control over instantiation and component replacement to extend default functionality. The manual bootstrapping method should align with your application's specific use case.
Single - Multi Module¶
Phalcon\Mvc\Application supports both Single and Multi module MVC structures.
Single Module¶
In Single module MVC applications, there is only one module. Namespaces are optional. The structure typically looks like this:
If namespaces are not used, the bootstrap file might look like this:<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Autoload\Loader;
use Phalcon\Mvc\Application;
use Phalcon\Mvc\View;
$loader = new Loader();
$loader->setDirectories(
    [
        '../apps/controllers/',
        '../apps/models/',
    ]
);
$loader->register();
$container = new FactoryDefault();
$container->set(
    'view', 
    function () {
        $view = new View();
        $view->setViewsDir('../apps/views/');
        return $view;
    }
);
$application = new Application($container);
try {
    // Handle the request and send the response
    $response = $application->handle(
        $_SERVER["REQUEST_URI"]
    );
    $response->send();
} catch (\Exception $e) {
    echo 'Exception: ', $e->getMessage();
}
<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Autoload\Loader;
use Phalcon\Mvc\Application;
use Phalcon\Mvc\Dispatcher;
use Phalcon\Mvc\View;
$loader = new Loader();
$loader->setNamespaces(
    [
        'Single\Controllers' => '../apps/controllers/',
        'Single\Models'      => '../apps/models/',
    ]
);
$loader->register();
$container = new FactoryDefault();
$container->set('dispatcher', function () {
    $dispatcher = new Dispatcher();
    $dispatcher->setDefaultNamespace('Single\Controllers');
    return $dispatcher;
});
$container->set('view', function () {
    $view = new View();
    $view->setViewsDir('../apps/views/');
    return $view;
});
$application = new Application($container);
try {
    // Handle the request and send the response
    $response = $application->handle(
        $_SERVER["REQUEST_URI"]
    );
    $response->send();
} catch (\Exception $e) {
    echo 'Exception: ', $e->getMessage();
}
Multi-Module¶
A multi-module application utilizes a shared document root for more than one module. Modules help organize components, enhance maintainability, and isolate functionality. Each module must implement the Phalcon\Mvc\ModuleDefinitionInterface to ensure proper functionality. The directory structure typically includes subdirectories within the apps/ directory, where each subdirectory has its MVC structure. Additionally, each module directory contains a Module.php file to configure module-specific settings, such as autoloaders and custom services.
Directory Structure
multiple/
  apps/
    front/
       controllers/
       models/
       views/
       Module.php
    back/
       controllers/
       models/
       views/
       Module.php
  public/
    css/
    img/
    js/
Module.php file is responsible for registering autoloaders and services for the specific module. Here is an example Module.php file for the Multi\Back module: <?php
namespace Multi\Back;
use Phalcon\Autoload\Loader;
use Phalcon\Di\DiInterface;
use Phalcon\Mvc\Dispatcher;
use Phalcon\Mvc\ModuleDefinitionInterface;
use Phalcon\Mvc\View;
class Module implements ModuleDefinitionInterface
{
    public function registerAutoloaders(DiInterface $container = null)
    {
        $loader = new Loader();
        $loader->setNamespaces(
            [
                'Multi\Back\Controllers' => '../apps/back/controllers/',
                'Multi\Back\Models'      => '../apps/back/models/',
            ]
        );
        $loader->register();
    }
    public function registerServices(DiInterface $container)
    {
        // Dispatcher
        $container->set(
            'dispatcher',
            function () {
                $dispatcher = new Dispatcher();
                $dispatcher->setDefaultNamespace(
                    'Multi\Back\Controllers'
                );
                return $dispatcher;
            }
        );
        // View
        $container->set(
            'view',
            function () {
                $view = new View();
                $view->setViewsDir(
                    '../apps/back/views/'
                );
                return $view;
            }
        );
    }
}
Bootstrap File for Multi-Module Architecture The bootstrap file for a multi-module MVC architecture requires a slightly modified setup. The router is explicitly configured, and modules are registered with the application. Here is an example bootstrap file:
<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Mvc\Application;
use Phalcon\Mvc\Router;
$container = new FactoryDefault();
$container->set(
    'router',
    function () {
        $router = new Router();
        $router->setDefaultModule('front');
        $router->add(
            '/login',
            [
                'module'     => 'back',
                'controller' => 'login',
                'action'     => 'index',
            ]
        );
        $router->add(
            '/admin/products/:action',
            [
                'module'     => 'back',
                'controller' => 'products',
                'action'     => 1,
            ]
        );
        $router->add(
            '/products/:action',
            [
                'controller' => 'products',
                'action'     => 1,
            ]
        );
        return $router;
    }
);
$application = new Application($container);
$application->registerModules(
    [
        'front' => [
            'className' => \Multi\Front\Module::class,
            'path'      => '../apps/front/Module.php',
        ],
        'back'  => [
            'className' => \Multi\Back\Module::class,
            'path'      => '../apps/back/Module.php',
        ]
    ]
);
try {
    $response = $application->handle(
        $_SERVER["REQUEST_URI"]
    );
    $response->send();
} catch (\Exception $e) {
    echo $e->getMessage();
}
<?php
use Phalcon\Mvc\View;
$view = new View();
// ...
$application->registerModules(
    [
        'front' => function ($container) use ($view) {
            $container->setShared(
                'view',
                function () use ($view) {
                    $view->setViewsDir(
                        '../apps/front/views/'
                    );
                    return $view;
                }
            );
        },
        'back' => function ($container) use ($view) {
            $container->setShared(
                'view',
                function () use ($view) {
                    $view->setViewsDir(
                        '../apps/back/views/'
                    );
                    return $view;
                }
            );
        }
    ]
);
Module definition classes must implement two methods: registerAutoloaders() and registerServices(). These methods will be called by the Phalcon\Mvc\Application accordingly.
Exceptions¶
Any exceptions thrown in the Phalcon\Mvc\Application component will be of type Phalcon\Mvc\Application\Exception or Phalcon\Application\Exception. You can use this exception to selectively catch exceptions thrown only from this component.
<?php
use Phalcon\Di\FactoryDefault;
use Phalcon\Mvc\Application;
use Phalcon\Mvc\Application\Exception;
try {
    $container   = new FactoryDefault();
    // ...
    $application = new Application($container);
    $application->registerModules(
        [
            'front' => false,
        ]
    );
    $response = $application->handle(
        $_SERVER["REQUEST_URI"]
    );
    $response->send();
} catch (Exception $e) {
    echo $e->getMessage();
}
Events¶
Phalcon\Mvc\Application can send events to the EventsManager if present. Events are triggered using the type application. The supported events are:
| Event Name | Triggered | 
|---|---|
| boot | Executed when the application handles its first request | 
| beforeStartModule | Before initializing a module, only when modules are registered | 
| afterStartModule | After initializing a module, only when modules are registered | 
| beforeHandleRequest | Before execute the dispatch loop | 
| afterHandleRequest | After execute the dispatch loop | 
Here's an example of how to attach listeners to this component:
<?php
use Phalcon\Events\Event;
use Phalcon\Events\Manager;
$manager = new Manager();
$application->setEventsManager($manager);
$manager->attach(
    'application',
    function (Event $event, $application) {
        // ...
    }
);