本文实例讲述了Laravel5.1框架自带权限控制系统 ACL用法。分享给大家供大家参考,具体如下:
Laravel在5.1.11版本中加入了Authorization,可以让用户自定义权限,今天分享一种定义权限系统的方法。
1. 创建角色与权限表
使用命令行创建角色与权限表:
php artisan make:migration create_permissions_and_roles --create=permissions
之后打开刚刚创建的文件,填入下面的代码:
public function up() { Schema::create('roles', function (Blueprint $table) { $table->increments('id'); $table->string('name'); $table->string('label'); $table->string('description')->nullable(); $table->timestamps(); }); Schema::create('permissions', function (Blueprint $table) { $table->increments('id'); $table->string('name'); $table->string('label'); $table->string('description')->nullable(); $table->timestamps(); }); Schema::create('permission_role', function (Blueprint $table) { $table->integer('permission_id')->unsigned(); $table->integer('role_id')->unsigned(); $table->foreign('permission_id') ->references('id') ->on('permissions') ->onDelete('cascade'); $table->foreign('role_id') ->references('id') ->on('roles') ->onDelete('cascade'); $table->primary(['permission_id', 'role_id']); }); Schema::create('role_user', function (Blueprint $table) { $table->integer('user_id')->unsigned(); $table->integer('role_id')->unsigned(); $table->foreign('role_id') ->references('id') ->on('roles') ->onDelete('cascade'); $table->foreign('user_id') ->references('id') ->on('users') ->onDelete('cascade'); $table->primary(['role_id', 'user_id']); }); } public function down() { Schema::drop('roles'); Schema::drop('permissions'); Schema::drop('permission_role'); Schema::drop('role_user'); }
上面的代码会创建角色表、权限表、角色与权限的中间表以及角色与用户的中间表。
2. 创建模型
接下来使用命令行分别创建角色与权限模型:
php artisan make:model Permission php artisan make:model Role
然后分别打开Permission.php、Role.php 以及 User.php ,加入下面的代码:
// Permissions.php public function roles() { return $this->belongsToMany(Role::class); }
// Role.php public function permissions() { return $this->belongsToMany(Permission::class); } //给角色添加权限 public function givePermissionTo($permission) { return $this->permissions()->save($permission); }
// User.php public function roles() { return $this->belongsToMany(Role::class); } // 判断用户是否具有某个角色 public function hasRole($role) { if (is_string($role)) { return $this->roles->contains('name', $role); } return !! $role->intersect($this->roles)->count(); } // 判断用户是否具有某权限 public function hasPermission($permission) { return $this->hasRole($permission->roles); } // 给用户分配角色 public function assignRole($role) { return $this->roles()->save( Role::whereName($role)->firstOrFail() ); }
内容版权声明:除非注明,否则皆为本站原创文章。