如何将自定义数据传递给Zend Acl自定义断言

时间:2017-01-13 18:19:18

标签: php acl zend-acl

Zend Acl文档显示了使用自定义断言的示例:

$acl->allow(null, null, null, new MyCustomAssertion());

问题是上面的代码是在创建规则时执行的,而不是在检查它们时执行的。在我的控制器中,我只能做类似的事情:

 $acl->isAllowed('someUser', 'someResource') 

与Zend Rbac不同,断言类已经实例化,我无法传递用户ID和帖子ID来检查用户是否有权访问该帖子。

检查用户是否可以使用Zend Acl访问控制器中可实现的帖子(以可维护的方式)?

注1:我没有使用Zend框架,只使用Zend Acl组件。 注2:我没有使用Rbac的原因是因为我需要" deny" Acl的功能和Rbac没有。

1 个答案:

答案 0 :(得分:2)

一种方法是创建自己的角色和资源实现:

class MyCustomAssertion implements Zend\Permissions\Acl\Assertion\AssertionInterface
{
    public function assert(Zend\Permissions\Acl\Acl $acl,
        Zend\Permissions\Acl\Role\RoleInterface $role = null,
        Zend\Permissions\Acl\Resource\ResourceInterface $resource = null,
        $privilege = null)
    {
        if(is_a($role, UserRole::class) && is_a($resource, PostResource::class)) {
            $post_id = $resource->getResourceId();
            $user_id = $role->getId();
            // find out if the user has access to this post id(eg with a database query)
            // return true or false.
            return true;
        }

        return true;
    }

}

class PostResource implements Zend\Permissions\Acl\Resource\ResourceInterface
{
    private $post_id;

    public function __construct($post_id)
    {
        $this->post_id = $post_id;
    }

    public function getId()
    {
        return$this->post_id;
    }
    public function getResourceId()
    {
        return 'post';
    }
}

class UserRole implements Zend\Permissions\Acl\Role\RoleInterface
{

    private $id;

    public function __construct($id)
    {
        $this->id = $id;
    }

    public function getId()
    {
        return $this->id;
    }
    public function getRoleId()
    {
        return 'user';
    }
}


use Zend\Permissions\Acl\Acl;
use Zend\Permissions\Acl\Role\GenericRole as Role;
use Zend\Permissions\Acl\Resource\GenericResource as Resource;

$acl = new Acl();

$acl->addRole(new Role('user'));

$acl->addResource(new Resource('post'));

$acl->allow(null, null, null, new MyCustomAssertion());

// lets check if user with id 11 has access to post with id 5.
$acl->isAllowed(new UserRole(11), new PostResource(5));

是的,这样您可以使用上面的最后一行在控制器中添加此项检查。