/**
* 简单权限类
* @author 27_Man
*/
class Peak_Auth {
/**
* 权限类计数器
* 作用在于生成权限值
*
* @var int
*/
protected static $authCount = 0;
/**
* 权限名称
*
* @var string
*/
protected $authName;
/**
* 权限详细信息
*
* @var string
*/
protected $authMessage;
/**
* 权限值
*
* @var int 2的N次方
*/
protected $authValue;
/**
* 构造函数
* 初始化权限名称、权限详细信息以及权限值
*
* @param string $authName 权限名称
* @param string $authMessage 权限详细信息
*/
public function __construct($authName, $authMessage = ‘‘) {
$this->authName = $authName;
$this->authMessage = $authMessage;
$this->authValue = 1 << self::$authCount;
self::$authCount++;
}
/**
* 本类不允许对象复制操作
*/
private function __clone() {
}
/**
* 设置权限详细信息
*
* @param string $authMessage
*/
public function setAuthMessage($authMessage) {
$this->authMessage = $authMessage;
}
/**
* 获取权限名称
*
* @return string
*/
public function getAuthName() {
return $this->authName;
}
/**
* 获取权限值
*
* @return int
*/
public function getAuthValue() {
return $this->authValue;
}
/**
* 获取权限详细信息
*
* @return string
*/
public function getAuthMessage() {
return $this->authMessage;
}
}
/**
* 简单角色类
*
* @author 27_Man
*/
class Peak_Role {
/**
* 角色名
*
* @var string
*/
protected $roleName;
/**
* 角色拥有的权限值
*
* @var int
*/
protected $authValue;
/**
* 父角色对象
*
* @var Peak_Role
*/
protected $parentRole;
/**
* 构造函数
*
* @param string $roleName 角色名
* @param Peak_Role $parentRole 父角色对象
*/
public function __construct($roleName, Peak_Role $parentRole = null) {
$this->roleName = $roleName;
$this->authValue = 0;
if ($parentRole) {
$this->parentRole = $parentRole;
$this->authValue = $parentRole->getAuthValue();
}
}
/**
* 获取父角色的权限
*/
protected function fetchParenAuthValue() {
if ($this->parentRole) {
$this->authValue |= $this->parentRole->getAuthValue();
}
}
/**
* 给予某种权限
*
* @param Peak_Auth $auth
* @return Peak_Role 以便链式操作
*/
public function allow(Peak_Auth $auth) {
$this->fetchParenAuthValue();
$this->authValue |= $auth->getAuthValue();
return $this;
}
/**
* 阻止某种权限
*
* @param Peak_Auth $auth
* @return Peak_Role 以便链式操作
*/
public function deny(Peak_Auth $auth) {
$this->fetchParenAuthValue();
$this->authValue &= ~$auth->getAuthValue();
return $this;
}
/**
* 检测是否拥有某种权限
*
* @param Peak_Auth $auth
* @return boolean
*/
public function checkAuth(Peak_Auth $auth) {
return $this->authValue & $auth->getAuthValue();
}
/**
* 获取角色的权限值
*
* @return int
*/
public function getAuthValue() {
return $this->authValue;
}
}