比方说,我们有一个名为模块和车如果想一些条件得到满足将用户重定向。 我想将重定向在模块引导阶段,应用程序到达任何控制器之前。
因此,这里的模块代码:
<?php
namespace Cart;
class Module
{
function onBootstrap() {
if (somethingIsTrue()) {
// redirect
}
}
}
?>
我想使用URL控制器插件,但它似乎控制器实例不可在此阶段,至少我不知道如何得到它。
提前致谢
这应该做必要的工作:
<?php
namespace Cart;
use Zend\Mvc\MvcEvent;
class Module
{
function onBootstrap(MvcEvent $e) {
if (somethingIsTrue()) {
// Assuming your login route has a name 'login', this will do the assembly
// (you can also use directly $url=/path/to/login)
$url = $e->getRouter()->assemble(array(), array('name' => 'login'));
$response=$e->getResponse();
$response->getHeaders()->addHeaderLine('Location', $url);
$response->setStatusCode(302);
$response->sendHeaders();
// When an MvcEvent Listener returns a Response object,
// It automatically short-circuit the Application running
// -> true only for Route Event propagation see Zend\Mvc\Application::run
// To avoid additional processing
// we can attach a listener for Event Route with a high priority
$stopCallBack = function($event) use ($response){
$event->stopPropagation();
return $response;
};
//Attach the "break" as a listener with a high priority
$e->getApplication()->getEventManager()->attach(MvcEvent::EVENT_ROUTE, $stopCallBack,-10000);
return $response;
}
}
}
?>
当然,它给你一个错误,因为您必须将监听器附加给事件。 在folllowing例如我使用SharedManager和我装上监听到AbstractActionController
。
当然,你可以将监听器附加到另一个事件。 以下仅仅是一个工作示例向你展示它是如何工作的。 如需更多信息请访问http://framework.zend.com/manual/2.1/en/modules/zend.event-manager.event-manager.html 。
public function onBootstrap($e)
{
$e->getApplication()->getEventManager()->getSharedManager()->attach('Zend\Mvc\Controller\AbstractActionController', 'dispatch', function($e) {
$controller = $e->getTarget();
if (something.....) {
$controller->plugin('redirect')->toRoute('yourroute');
}
}, 100);
}
该网页上没有错误正确重定向
public function onBootstrap($e) {
$e->getApplication()->getEventManager()->getSharedManager()->attach('Zend\Mvc\Controller\AbstractActionController', 'dispatch', function($e) {
if(someCondition==true) {
$controller->plugin('redirect')->toRoute('myroute');
}
}
你可以试试这个。
$front = Zend_Controller_Front::getInstance();
$response = new Zend_Controller_Response_Http();
$response->setRedirect('/profile');
$front->setResponse($response);
文章来源: Zend Framework 2: How to place a redirect into a module, before the application reaches a controller