search
HomeBackend DevelopmentPHP Tutorial关于PHP位运算的简单权限设计

写在最前面

最近想写一个简单的关于权限处理的东西,之前我也了解过用二进制数的位运算可以出色地完成这个任务。关于二进制数的位运算,常见的就是“或、与、非”这三种简单运算了,当然,我也查看了下PHP手册,还有“异或、左移、右移”这三个运算。记得上初中时数学老师就开始唠叨个不停了,在此我也不想对此运算再作额外的说明,直接进入正题。

如何定义权限

将权限按照2的N次方来定义值,依次类推。为什么要这样子定义呐?这样子定义保证了每个权限值(二进制)中只有一个1,而它恰好对应一种权限。比如:

define('ADD', 1); // 增加权限define('UPD', 2); // 修改权限define('SEL', 4); // 查找权限define('DEL', 8); // 删除权限

权限操作

权限操作其实涉及到“角色”这个概念。进行权限操作不外乎是让某个角色赋予某种权限、禁止某种权限和检测某个角色是否拥有某种权限。相对于这三个操作。可以用二进制数间的运算操作来很方便的实现。

// 给予某种权限用到“位或”运算符$a_access = ADD | UPD | SEL | DEL; // a拥有增删改查权限$b_access = ADD | UPD | SEL; // b拥有增改查权限$c_access = ADD | UPD; // c拥有增改权限// 禁止某种权限用“位与”和“位非”运算符$d_access = $c_access & ~UPD; // d只拥有了增权限// 检测是否拥有某种权限用到“位与”运算符var_dump($b_access & ADD); // 1代表b拥有增权限var_dump($b_access & DEL); // 0代表b不拥有删权限

实现简单的权限类和角色类

运用上面的权限操作方法,可以简单地封装成一个权限类和一个角色类。

/** * 简单权限类 * @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;    }}

对权限类和角色类的简单操作例子

// 创建三个权限:可读、可写、可执行$read = new Peak_Auth('CanRead');$write = new Peak_Auth('CanWrite');$exe = new Peak_Auth('CanExe');// 创建一个角色 User$user = new Peak_Role('User');// 创建另一个角色 Admin,他拥有 User 的所有权限$admin = new Peak_Role('Admin', $user);// 给予 User 可读、可写的权限$user->allow($read)->allow($write);// 给予 Admin 可执行的权限,另外他还拥有 User 的权限$admin->allow($exe);// 禁止 Admin 的可写权限$admin->deny($write);// 检测 Admin 是否具有 某种权限var_dump($admin->checkAuth($read));var_dump($admin->checkAuth($write));var_dump($admin->checkAuth($exe));

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
Working with Flash Session Data in LaravelWorking with Flash Session Data in LaravelMar 12, 2025 pm 05:08 PM

Laravel simplifies handling temporary session data using its intuitive flash methods. This is perfect for displaying brief messages, alerts, or notifications within your application. Data persists only for the subsequent request by default: $request-

cURL in PHP: How to Use the PHP cURL Extension in REST APIscURL in PHP: How to Use the PHP cURL Extension in REST APIsMar 14, 2025 am 11:42 AM

The PHP Client URL (cURL) extension is a powerful tool for developers, enabling seamless interaction with remote servers and REST APIs. By leveraging libcurl, a well-respected multi-protocol file transfer library, PHP cURL facilitates efficient execution of various network protocols, including HTTP, HTTPS, and FTP. This extension offers granular control over HTTP requests, supports multiple concurrent operations, and provides built-in security features.

Simplified HTTP Response Mocking in Laravel TestsSimplified HTTP Response Mocking in Laravel TestsMar 12, 2025 pm 05:09 PM

Laravel provides concise HTTP response simulation syntax, simplifying HTTP interaction testing. This approach significantly reduces code redundancy while making your test simulation more intuitive. The basic implementation provides a variety of response type shortcuts: use Illuminate\Support\Facades\Http; Http::fake([ 'google.com' => 'Hello World', 'github.com' => ['foo' => 'bar'], 'forge.laravel.com' =>

12 Best PHP Chat Scripts on CodeCanyon12 Best PHP Chat Scripts on CodeCanyonMar 13, 2025 pm 12:08 PM

Do you want to provide real-time, instant solutions to your customers' most pressing problems? Live chat lets you have real-time conversations with customers and resolve their problems instantly. It allows you to provide faster service to your custom

PHP Logging: Best Practices for PHP Log AnalysisPHP Logging: Best Practices for PHP Log AnalysisMar 10, 2025 pm 02:32 PM

PHP logging is essential for monitoring and debugging web applications, as well as capturing critical events, errors, and runtime behavior. It provides valuable insights into system performance, helps identify issues, and supports faster troubleshoot

Explain the concept of late static binding in PHP.Explain the concept of late static binding in PHP.Mar 21, 2025 pm 01:33 PM

Article discusses late static binding (LSB) in PHP, introduced in PHP 5.3, allowing runtime resolution of static method calls for more flexible inheritance.Main issue: LSB vs. traditional polymorphism; LSB's practical applications and potential perfo

Discover File Downloads in Laravel with Storage::downloadDiscover File Downloads in Laravel with Storage::downloadMar 06, 2025 am 02:22 AM

The Storage::download method of the Laravel framework provides a concise API for safely handling file downloads while managing abstractions of file storage. Here is an example of using Storage::download() in the example controller:

How to Register and Use Laravel Service ProvidersHow to Register and Use Laravel Service ProvidersMar 07, 2025 am 01:18 AM

Laravel's service container and service providers are fundamental to its architecture. This article explores service containers, details service provider creation, registration, and demonstrates practical usage with examples. We'll begin with an ove

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

MantisBT

MantisBT

Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.