我在一个控制器中有10个动作。每个操作都需要ID来自请求。 我想在构造函数中检查每个动作的ID,所以我想避免在每个动作中写入相同的代码10次。
显然,在构造函数中我不能使用像:
这样的函数$this->params()->fromQuery('paramname'); or
$this->params()->fromRoute('paramname');
那么,问题是如何在控制器的构造函数中获取请求参数?
答案 0 :(得分:8)
简短的回答:你做不到。不幸的是,插件(你在这里使用params
)在构造之后可用。
有两种方法可以使代码DRY:提取方法并使用事件系统执行提取。
提取方法:最简单的方法:
class MyController
{
public function fooAction()
{
$id = $this->getId();
// Do something with $id
}
public function barAction()
{
$id = $this->getId();
// Do something with $id
}
protected function getId()
{
return $this->params('id');
}
}
或者如果你想直接给参数加水,这就是我经常这样做的方法:
class MyController
{
protected $repository;
public function __construct(Repository $repository)
{
$this->repository = repository;
}
public function barAction()
{
$foo = $this->getFoo();
// Do something with $foo
}
public function bazAction()
{
$foo = $this->getFoo();
// Do something with $foo
}
protected function getFoo()
{
$id = $this->params('id');
$foo = $this->repository->find($id);
if (null === $foo) {
throw new FooNotFoundException(sprintf(
'Cannot find a Foo with id %s', $id
));
}
return $foo;
}
}
使用事件系统:您挂钩到dispatch事件以获取id并在执行操作之前设置它:
class MyController
{
protected $id;
public function fooAction()
{
// Use $this->id
}
public function barAction()
{
// Use $this->id
}
protected function attachDefaultListeners()
{
parent::attachDefaultListeners();
$events = $this->getEventManager();
$events->attach(MvcEvent::EVENT_DISPATCH, array($this, 'loadId'), 100);
}
public function loadId()
{
$this->id = $this->params('id');
}
}
此功能在调度时起作用,执行loadId()方法,然后运行另一个(fooAction / barAction)方法。
答案 1 :(得分:0)
Zend框架3:
在module.config.php文件中:
'front_profile' => array(
'type' => Segment::class,
'options' => array(
'route' => '/profile[/:tabid]',
'defaults' =>array(
'__NAMESPACE__' => 'AuthAcl\Controller',
'controller' => Controller\ProfileController::class,
'action' => 'index',
),
),
'may_terminate' => true,
'child_routes' => array(
'default' => array(
'type' => 'Segment',
'options' => array(
'route' => '/[:controller[/:action]]',
'constraints' => array(
'controller' => '[a-zA-Z][a-zA-Z0-9_-]*',
'action' => '[a-zA-Z][a-zA-Z0-9_-]*',
),
'defaults' => array(),
),
),
),
),
在控制器的操作中:
$tabid = $this->params()->fromRoute("tabid");
对我有用。我曾在4-5个项目中使用过。希望对您有帮助。谢谢。