2

在用户尝试未经授权的操作之前,我保存:

1) 控制器名称

2) 行动

3) 发布参数

然后,当用户成功登录时,我将其重定向到...

$params["controller"] = "manage";
$params["action"] = $lastRequest["action"];
$params["name"] = "Ignacio";
$params["email"] = "ignacio@gmail.com";

return $this->redirect()->toRoute("user-create", $params);

它确实重定向,但没有发布参数。

如何从控制器模拟 ZF2 上的 POST 请求?关键是我不知道它将被重定向到哪里的用户,所以它可能是 GET 或 POST 以及任何控制器。

4

3 回答 3

5

这是我保存请求并稍后使用它来重定向到正确操作的方式。

1) 未经授权的操作使用所有 GET/POST 参数保存请求。

$session = new Container('base');
$session->offsetSet("lastRequest", $event->getRequest());

2)登录成功后,重定向到请求的

$session = new Container('base');
if($lastRequest = $session->offsetGet("lastRequest")) {
    //Just redirect, because I could NOT find a way to POST params
    return $this->redirect()->toUrl($lastRequest->getRequestUri());
}

3) 在控制器动作之前,检索所有 POST/GET 参数

class Module {
//...
    public function init($moduleManager)
    {
        $sharedEvents = $moduleManager->getEventManager()->getSharedManager();
        $sharedEvents->attach(__NAMESPACE__, \Zend\Mvc\MvcEvent::EVENT_DISPATCH, array($this, 'preDispatch'), 100);
    }

    public function preDispatch($event)
    {

    //Unauthorized request after success login
    $session = new Container('base');
    if($lastRequest = $session->offsetGet("lastRequest")) {
        $event->getTarget()->getRequest()->setMethod($lastRequest->getMethod());
        $event->getTarget()->getRequest()->setPost($lastRequest->getPost());
        $event->getTarget()->getRequest()->setQuery($lastRequest->getQuery());

        //Delete request
        $session->offsetSet("lastRequest", null);               
    }
}

4) 只需像往常一样在任何目标操作上使用请求

class ManageController extends AbstractActionController {

    public function createAction() {
        if ($this->getRequest()->isPost()) {
            $post = $this->getRequest()->getPost()->toArray();
    }

}
于 2012-12-14T19:52:46.190 回答
2

您不能使用 POST 数据重定向用户,但 ZF2 提供了模拟此功能的功能:http: //framework.zend.com/manual/2.0/en/modules/zend.mvc.plugins.html#the-post-redirect-获取插件

于 2012-12-13T23:20:39.030 回答
0

此解决方案可能会有所帮助,但不是使用重定向,而是转发到另一个控制器。

在将其转发到另一个控制器之前,请替换(或更新)当前请求的 post 参数。然后接收控制器将看到替换(或更新)的帖子参数。

// Controller that handles unauthorized access

class YourController extends AbstractActionController
{

    // ...

    $request   = $this->getEvent()->getRequest();
    $postParam = new \Zend\Stdlib\Parameters();

    $postParam->set('controller', 'manage');
    $postParam->set('action',     $lastRequest['action']);
    $postParam->set('name',       'your-name';
    $postParam->set('email',      'your-email';

    $request->setPost($postParam);

    return $this->forward()->dispatch('Your\Other\UserCreateController', [
        'action' => 'userCreate',
    ]);

    // ...

}
于 2017-01-05T05:15:39.380 回答