我有3个服务,只有在用户具有特定角色时才应覆盖默认服务。
甚至更好。在新服务中注入当前用户/安全性。 然后,该服务执行用户角色检查并调用原始服务。
我试图将security.context
注入其中。但随后$security->getToken()
会返回null
。
在控制器中它工作正常。如何在我的服务中获得当前用户?这就是我想要做的事情:
class AlwaysVisibleNavigationQueryBuilder extends NavigationQueryBuilder
{
public function __construct(\Sulu\Component\Content\Compat\StructureManagerInterface $structureManager, $languageNamespace, SecurityContext $security)
{
if (in_array('ROLE_SULU_ADMINISTRATOR', $security->getToken()->getRoles())) {
// Show unpublished content, too
$this->published = false;
}
parent::__construct($structureManager, $languageNamespace);
}
}
答案 0 :(得分:1)
在创建服务时,securityContext不知道当前用户。安全性是应用程序运行时的填充,而不是依赖性解析。
以下代码有效。
class AlwaysVisibleNavigationQueryBuilder extends NavigationQueryBuilder
{
protected $security;
public function __construct(\Sulu\Component\Content\Compat\StructureManagerInterface $structureManager, $languageNamespace, SecurityContext $security)
{
$this->security = $security;
parent::__construct($structureManager, $languageNamespace);
}
public function build($webspaceKey, $locales)
{
$roles = $this->security->getToken()->getRoles();
if (in_array('ROLE_SULU_ADMINISTRATOR', $roles)) {
// Show unpublished content, too
$this->published = false;
}
return parent::build($webspaceKey, $locales);
}
}
感谢Matteo!