Manage authorization with granular role-based permissions in your Laravel Apps.

Overview

Governor For Laravel

Build Status Coverage Status Latest StableVersion Total Downloads

Governor for Laravel

Manage authorization with granular role-based permissions in your Laravel apps.

screencast 2017-06-04 at 3 34 56 pm

Goal

Provide a simple method of managing ACL in a Laravel application built on the Laravel Authorization functionality. By leveraging Laravel's native Authorization functionality there is no additional learning or implementation curve. All you need to know is Laravel, and you will know how to use Governor for Laravel.

Requirements

  • PHP >=7.1.3
  • Laravel >= 5.5
  • Bootstrap 3 (needs to be included in your layout file)
  • FontAwesome 4 (needs to be included in your layout file)

Installation

The user with the lowest primary key will be set up as the SuperAdmin. If you're starting on a new project, be sure to add an initial user now. If you already have users, you can update the role-user entry to point to your intended user, if the first user is not the intended SuperAdmin. Now let's get the package installed.

Install via composer:

composer require genealabs/laravel-governor

Implementation

  1. First we need to update the database by running the migrations and data seeders:

    php artisan migrate --path="vendor/genealabs/laravel-governor/database/migrations"
    php artisan db:seed --class=LaravelGovernorDatabaseSeeder
  2. If you have seeders of your own, run them now:

    php artisan db:seed
  3. Next, assign permissions (this requires you have users already populated):

    php artisan db:seed --class=LaravelGovernorPermissionsTableSeeder
  4. Now we need to make the assets available:

    php artisan governor:publish --assets
  5. Lastly, add the Governable trait to the User model of your app:

    // [...]
    use GeneaLabs\LaravelGovernor\Traits\Governable;
    
    class User extends Authenticatable
    {
        use Governable;
        // [...]
    }

Upgrading

The following upgrade guides should help navigate updates with breaking changes.

From 0.11.5+ to 0.12 [Breaking]

The role_user pivot table has replaced the composite key with a primary key, as Laravel does not fully support composite keys. Run:

php artisan db:seed --class="LaravelGovernorUpgradeTo0120"

From 0.11 to 0.11.5 [Breaking]

The primary keys of the package's tables have been renamed. (This should have been a minor version change, instead of a patch, as this was a breaking change.) Run:

php artisan db:seed --class="LaravelGovernorUpgradeTo0115"

From 0.10 to 0.11 [Breaking]

The following traits have changed:

  • Governable has been renamed to Governing.
  • Governed has been renamed to Governable.
  • the governor_created_by has been renamed to governor_owned_by. Run migrations to update your tables.
    php artisan db:seed --class="LaravelGovernorUpgradeTo0110"
  • replace any reference in your app from governor_created_by to governor_owned_by.

From 0.6 to Version 0.10 [Breaking]

To upgrade from version previous to 0.10.0, first run the migrations and seeders, then run the update seeder:

php artisan migrate --path="vendor/genealabs/laravel-governor/database/migrations"
php artisan db:seed --class="LaravelGovernorDatabaseSeeder"
php artisan db:seed --class="LaravelGovernorUpgradeTo0100"

to 0.6 [Breaking]

  1. If you were extending GeneaLabs\LaravelGovernor\Policies\LaravelGovernorPolicy, change to extend GeneaLabs\LaravelGovernor\Policies\BasePolicy;
  2. Support for version of Laravel lower than 5.5 has been dropped.

Configuration

If you need to make any changes (see Example selection below for the default config file) to the default configuration, publish the configuration file:

php artisan governor:publish --config

and make any necessary changes. (We don't recommend publishing the config file if you don't need to make any changes.)

Views

If you would like to customize the views, publish them:

php artisan governor:publish --views

and edit them in resources\views\vendor\genealabs\laravel-governor.

Policies

Policies are now auto-detected and automatically added to the entities list. You will no longer need to manage Entities manually. New policies will be available for role assignment when editing roles. Check out the example policy in the Examples section below. See Laravel's documentation on how to create policies and check for them in code: https://laravel.com/docs/5.4/authorization#writing-policies

Your policies must extend LaravelGovernorPolicy in order to function with Governor. By default you do not need to include any of the methods, as they are implemented automatically and perform checks based on reflection. However, if you need to customize anything, you are free to override any of the before, create, edit, view, inspect, and remove methods.

Checking Authorization

To validate a user against a given policy, use one of the keywords that Governor validates against: before, create, edit, view, inspect, and remove. For example, if the desired policy to check has a class name of BlogPostPolicy, you would authorize your user with something like $user->can('create', (new BlogPost)) or $user->can('edit', $blogPost).

Filter Queries To Show Ownly Allowed Items

Often it is desirable to let the user see only the items that they have access to. This was previously difficult and tedious. Using Nova as an example, you can now limit the index view as follows: ```php <?php namespace App\Nova;

use Laravel\Nova\Resource as NovaResource;
use Laravel\Nova\Http\Requests\NovaRequest;

abstract class Resource extends NovaResource
{
    public static function indexQuery(NovaRequest $request, $query)
    {
        $model = $query->getModel();

        if ($model
            && is_object($model)
            && method_exists($model, "filterViewAnyable")
        ) {
            $query = $model->filterViewAnyable($query);
        }

        return $query;
    }

    // ...
}
```

The available query filters are:
- `filterDeletable(Builder $query)`
- `filterUpdatable(Builder $query)`
- `filterViewable(Builder $query)`
- `filterViewAnyable(Builder $query)`

The same functionality is availabe via model scopes, as well:
- `deletable()`
- `updatable()`
- `viewable()`
- `viewAnyable()`

Tables

Tables will automatically be updated with a governor_owned_by column that references the user that created the entry. There is no more need to run separate migrations or work around packages that have models without a created_by property.

Admin Views

The easiest way to integrate Governor for Laravel into your app is to add the menu items to the relevant section of your app's menu (make sure to restrict access appropriately using the Laravel Authorization methods). The following routes can be added:

  • Role Management: genealabs.laravel-governor.roles.index
  • User-Role Assignments: genealabs.laravel-governor.assignments.index

For example:

<li><a href="{{ route('genealabs.laravel-governor.roles.index') }}">Governor</a></li>

403 Unauthorized

We recommend making a custom 403 error page to let the user know they don't have access. Otherwise the user will just see the default error message. See https://laravel.com/docs/5.4/errors#custom-http-error-pages for more details on how to set those up.

Authorization API

You can check a user's ability to perform certain actions via a public API. It is recommended to use Laravel Passport to maintain session state between your client and your backend. Here's an example that checks if the currently logged in user can create GeneaLabs\LaravelGovernor\Role model records:

$response = $this
    ->json(
        "GET",
        route('genealabs.laravel-governor.api.user-can.show', "create"),
        [
            "model" => "GeneaLabs\LaravelGovernor\Role",
        ]
    );

This next example checks if the user can edit GeneaLabs\LaravelGovernor\Role model records:

$response = $this
    ->json(
        "GET",
        route('genealabs.laravel-governor.api.user-can.show', "edit"),
        [
            "model" => "GeneaLabs\LaravelGovernor\Role",
            "primary-key" => 1,
        ]
    );

The abilities inspect, edit, and remove, except create and view, require the primary key to be passed.

Role-Check API

// TODO: add documentation

$response = $this
    ->json(
        "GET",
        route('genealabs.laravel-governor.api.user-is.show', "SuperAdmin")
    );

Examples

Config File

<?php

return [

    /*
    |--------------------------------------------------------------------------
    | Layout Blade File
    |--------------------------------------------------------------------------
    |
    | This value is used to reference your main layout blade view to render
    | the views provided by this package. The layout view referenced here
    | should include Bootstrap 3 and FontAwesome 4 to work as intended.
    */
    'layout-view' => 'layouts.app',

    /*
    |--------------------------------------------------------------------------
    | Layout Content Section Name
    |--------------------------------------------------------------------------
    |
    | Specify the name of the section in the view referenced above that is
    | used to render the main page content. If this does not match, you
    | will only get blank pages when accessing views in Governor.
    */
    'content-section' => 'content',

    /*
    |--------------------------------------------------------------------------
    | Authorization Model
    |--------------------------------------------------------------------------
    |
    | Here you can customize what model should be used for authorization checks
    | in the event that you have customized your authentication processes.
    */
    'auth-model' => config('auth.providers.users.model') ?? config('auth.model'),

    /*
    |--------------------------------------------------------------------------
    | User Model Name Property
    |--------------------------------------------------------------------------
    |
    | This value is used to display your users when assigning them to roles.
    | You can choose any property of your auth-model defined above that is
    | exposed via JSON.
    */
    'user-name-property' => 'name',

    /*
    |--------------------------------------------------------------------------
    | URL Prefix
    |--------------------------------------------------------------------------
    |
    | If you want to change the URL used by the browser to access the admin
    | pages, you can do so here. Be careful to avoid collisions with any
    | existing URLs of your app when doing so.
    */
    'url-prefix' => '/genealabs/laravel-governor/',
];

Policy

No Methods Required For Default Policies

Adding policies is crazily simple! All the work has been refactored out so all you need to worry about now is creating a policy class, and that's it!

<?php namespace GeneaLabs\LaravelGovernor\Policies;

use GeneaLabs\LaravelGovernor\Interfaces\GovernablePolicy;
use Illuminate\Auth\Access\HandlesAuthorization;

class MyPolicy extends LaravelGovernorPolicy
{
    use HandlesAuthorization;
}

Default Methods In A Policy Class

Adding any of the before, create, update, view, viewAny, delete, restore, and forceDelete methods to your policy is only required if you want to customize a given method.

abstract class BasePolicy
{
    public function before($user)
    {
        return $user->hasRole("SuperAdmin")
            ?: null;
    }

    public function create(Model $user) : bool
    {
        return $this->validatePermissions(
            $user,
            'create',
            $this->entity
        );
    }

    public function update(Model $user, Model $model) : bool
    {
        return $this->validatePermissions(
            $user,
            'update',
            $this->entity,
            $model->governor_owned_by
        );
    }

    public function viewAny(Model $user) : bool
    {
        return true;

        return $this->validatePermissions(
            $user,
            'viewAny',
            $this->entity
        );
    }

    public function view(Model $user, Model $model) : bool
    {
        return $this->validatePermissions(
            $user,
            'view',
            $this->entity,
            $model->governor_owned_by
        );
    }

    public function delete(Model $user, Model $model) : bool
    {
        return $this->validatePermissions(
            $user,
            'delete',
            $this->entity,
            $model->governor_owned_by
        );
    }

    public function restore(Model $user, Model $model) : bool
    {
        return $this->validatePermissions(
            $user,
            'restore',
            $this->entity,
            $model->governor_owned_by
        );
    }

    public function forceDelete(Model $user, Model $model) : bool
    {
        return $this->validatePermissions(
            $user,
            'forceDelete',
            $this->entity,
            $model->governor_owned_by
        );
    }
}
Comments
  • New Entity problem

    New Entity problem

    I have create a new entity as your instructions stated. and I have checked my db that super admin has permission to this entity. but I am getting this

    HttpException in AuthorizesRequests.php line 74:
    This action is unauthorized.
    

    in controller function I have written like following

    $this->authorize('view', (new User()));
            $users = User::all();
            return view('backend.users.list')->with('users', $users);
    

    and my policy class is like following

    public function view(User $user, User $users)
        {
            return $this->validatePermissions($user, 'view', 'user', $users->created_by);
        }
    

    what I am missing?

    opened by smshahinulislam 22
  • Fresh install, some issues.

    Fresh install, some issues.

    1. You are loading the Laravel Collective HTML/Form facades. So if you use governor package install instructions with a fresh install you will get this error messge :
    FatalErrorException in ProviderRepository.php line 146:
    Class 'Collective\Html\HtmlServiceProvider' not found
    

    Your install instructions need to reference the illuminate/html provider & facades or change your composer to pull down the LaravelCollective Forms&HTML provider. I recommend pulling down Laravel Collective version since the Illuminate\HTML version is being deprecated in Laravel.

    1. With this fresh install, and only the one user created, I get the Unauthorized Access message when I try to access any role. I checked that my user is logged in AND has the "SuperAdmin" role by doing a dd( \Auth::user() ) and dd( \Auth::user->roles() ) on the welcome page. Here is the output of that -
    {
    "id":1,
    "name":"testguy",
    "email":"[email protected]",
    "created_at":"2015-09-29 17:01:52",
    "updated_at":"2015-09-29 17:02:09",
    "created_by":null
    }
    [
     {
     "name":"SuperAdmin",
     "description":"This role is for the main administrator of your site. They will be able to do absolutely everything. (This role cannot be edited.)",
     "created_at":"2015-09-29 17:04:40",
     "updated_at":"2015-09-29 17:04:40",
     "created_by":null,
     "pivot":{
       "user_id":1,
       "role_key":"SuperAdmin"
       }
      }
     ]
    

    so it appears that it knows that my test user has the superadmin role, however the access is denied. Anything stand out?

    1. Shouldn't the roles use an id instead of a string as "role_key" for/in the pivot table? Integer tables are lower cost, and a standard I believe (and less prone to typos :smile: ).
    opened by landjea 17
  • Can add new role, edit name/description

    Can add new role, edit name/description

    So I added a new role, and was able to edit the name/description on it but if I try to modify an action permission on either my new role or the existing "Members" role, I get an sql error about a missing field value. "ownership_key". I can see that the keys all exist in the permissions table.

    SQLSTATE[23000]: Integrity constraint violation: 1048 Column 'ownership_key' cannot be null (SQL: insert into `permissions` (`ownership_key`, `action_key`, `role_key`, `entity_key`, `created_by`, `updated_at`, `created_at`) values (, edit, test, assignment, 1, 2015-09-30 13:09:58, 2015-09-30 13:09:58))
    

    Again with that same fresh install from yesterday. My only change was to update composer.json to the "~0.1.0" version of laravel-governor as per other issue.

    I took a look at your included RolesController@update, which is throwing the error on $currentPermission->save();, and when I spit out the variables which showed $ownership = 'view any' and $currentOwnership = null.

    So it doesn't seem to be finding the $ownership using $currentOwnership = $allOwnerships->find($ownership); on line 109 of RolesController.

    Also, I don't fully understand your if statement in your foreach.

    foreach ($actions as $action => $ownership) {
                        if ('no' !== $ownership) {
    

    I have never seen it written like that before. At first I thought you had written the if check backwards (string to variable whereas I am always used to variable to string) but now I am thinking ... is that inverse writing the equivalent of a str_search? Is it a way to say: if $ownership does not contain the characters 'no' ?

    opened by landjea 16
  • Publish Views to allow them to be overwritten.

    Publish Views to allow them to be overwritten.

    Closes #15.

    The only caveat I can see with this is it will publish the default layout and master intermediary, but not update the views to reflect their new locations. (At least, I don't think Laravel can do that anyway...) Some kind of warning will need to be put in the documentation about that.

    enhancement 
    opened by mikemand 7
  • Authoriztion in view partial

    Authoriztion in view partial

    I have created a partial view for navigation.

    so there is a link like following

    <li><a href="{!! URL::to('users') !!}">Users</a></li>
    

    if I want to use like

    @can @cannot for this like what should I do? passing User model instance from all controller function or is there any other way?

    opened by smshahinulislam 7
  • I don't understand how you get the created_by attribute from a not-yet created entity?

    I don't understand how you get the created_by attribute from a not-yet created entity?

    In your policies you also have a method for the create action. In which you pass an entity. But when someone is about to create an entity, it hasn't been created yet. And so the created_by attribute hasn't been set yet. So how do you do that in your own projects?

    Furthermore, with the created action, the ownership will always be 'own', right? So instead of doing this:

    class EntityPolicy extends LaravelGovernorPolicy
    {
        public function create($user, Entity $entity)
        {
            return $this->validatePermissions($user, 'create', 'entity', $entity->created_by);
        }
    }
    

    You could better do this, right?

    class EntityPolicy extends LaravelGovernorPolicy
    {
        public function create($user, Entity $entity)
        {
            return $this->validatePermissions($user, 'create', 'entity', $user->id);
        }
    }
    
    enhancement 
    opened by Evertt 7
  • Can't see some emails when assigning roles

    Can't see some emails when assigning roles

    This started happening recently on my production server. Everything works in terms of permissions, I just can't read which emails those actually are. Any things I should be looking for to help debug this?

    screen shot 2016-05-24 at 4 17 54 pm

    opened by casenjo 5
  • error generated after running package custom seeder file

    error generated after running package custom seeder file

    After running package's custom seeder following error generated. What is the remedy of this problem?

    Argument 1 passed to Illuminate\Database\Eloquent\Relations\BelongsToMany::save() must be an instance of Illuminate\Database\Eloquent\Model, null given, called in D:\xampp\xampp\htdocs\eschool\vendor\genealabs\laravel-governor\database\seeds\LaravelGovernorRolesTableSeeder.php on line 19 and defined
    
    enhancement 
    opened by smshahinulislam 4
  • Update docs on website

    Update docs on website

    The docs at https://governor.forlaravel.com/ still describe GUI management for the Entity type, even though it was removed two months ago.

    Maybe those docs should be updated...

    enhancement high priority 
    opened by kohenkatz 3
  • Docs

    Docs

    If your aim is for more advanced developers, ignore this suggestion, but it appears you are trying to make this very beginner friendly.

    Policies - you give a great example of a Model Policy but you don't explain anything about it for the beginner. Like if they need it, why they need it, where to put it, when to create it.

    Usage examples. Sure, they can open the vendor folder and check out how you do it, or the laravel docs for the @can information but, again, for those beginners, they aren't going to have any idea about that stuff so maybe a few usage examples would help them.

    Anyway, just some thoughts. Again, disregard if this package isn't intended for beginners.

    Thanks.

    enhancement 
    opened by landjea 3
  • Fix error in script.js

    Fix error in script.js

    On update the role, if permissions [entitie] [action] is different of 'no' was returning this error:

    SQLSTATE[23000]: Integrity constraint violation: 1048 Column 'ownership_key' cannot be null.
    

    This pull request fixes the problem.

    Thank you

    opened by joaosalless 3
  • Update titasgailius/search-relations requirement from ^1.0 to ^2.0

    Update titasgailius/search-relations requirement from ^1.0 to ^2.0

    Updates the requirements on titasgailius/search-relations to permit the latest version.

    Release notes

    Sourced from titasgailius/search-relations's releases.

    Extending Search

    You may apply custom search logic for the specified relations by returning a class implementing a Search interface.

    Commits

    Dependabot will resolve any conflicts with this PR as long as you don't alter it yourself. You can also trigger a rebase manually by commenting @dependabot rebase.


    Dependabot commands and options

    You can trigger Dependabot actions by commenting on this PR:

    • @dependabot rebase will rebase this PR
    • @dependabot recreate will recreate this PR, overwriting any edits that have been made to it
    • @dependabot merge will merge this PR after your CI passes on it
    • @dependabot squash and merge will squash and merge this PR after your CI passes on it
    • @dependabot cancel merge will cancel a previously requested merge and block automerging
    • @dependabot reopen will reopen this PR if it is closed
    • @dependabot close will close this PR and stop Dependabot recreating it. You can achieve the same result by closing it manually
    • @dependabot ignore this major version will close this PR and stop Dependabot creating any more for this major version (unless you reopen the PR or upgrade to it yourself)
    • @dependabot ignore this minor version will close this PR and stop Dependabot creating any more for this minor version (unless you reopen the PR or upgrade to it yourself)
    • @dependabot ignore this dependency will close this PR and stop Dependabot creating any more for this dependency (unless you reopen the PR or upgrade to it yourself)
    • @dependabot use these labels will set the current labels as the default for future PRs for this repo and language
    • @dependabot use these reviewers will set the current reviewers as the default for future PRs for this repo and language
    • @dependabot use these assignees will set the current assignees as the default for future PRs for this repo and language
    • @dependabot use this milestone will set the current milestone as the default for future PRs for this repo and language
    • @dependabot badge me will comment on this PR with code to add a "Dependabot enabled" badge to your readme

    Additionally, you can set the following in your Dependabot dashboard:

    • Update frequency (including time of day and day of week)
    • Pull request limits (per update run and/or open at any time)
    • Out-of-range updates (receive only lockfile updates, if desired)
    • Security updates (receive only security updates, if desired)
    dependencies 
    opened by dependabot-preview[bot] 0
  • Upgrade to GitHub-native Dependabot

    Upgrade to GitHub-native Dependabot

    Dependabot Preview will be shut down on August 3rd, 2021. In order to keep getting Dependabot updates, please merge this PR and migrate to GitHub-native Dependabot before then.

    Dependabot has been fully integrated into GitHub, so you no longer have to install and manage a separate app. This pull request migrates your configuration from Dependabot.com to a config file, using the new syntax. When merged, we'll swap out dependabot-preview (me) for a new dependabot app, and you'll be all set!

    With this change, you'll now use the Dependabot page in GitHub, rather than the Dependabot dashboard, to monitor your version updates, and you'll configure Dependabot through the new config file rather than a UI.

    Your account is using config variables to access private registries. Relevant registries have been included in the new config file but additional steps may be necessary to complete the setup. Ensure that each secret below has been configured in the organization Dependabot secrets or the repository Dependabot secrets by an admin.

    • [ ] GIT_NOVA_LARAVEL_COM_PASSWORD

    If an included registry is not required by this repository you can remove it from the config file.

    If you've got any questions or feedback for us, please let us know by creating an issue in the dependabot/dependabot-core repository.

    Learn more about migrating to GitHub-native Dependabot

    Please note that regular @dependabot commands do not work on this pull request.

    dependencies 
    opened by dependabot-preview[bot] 1
  • Update doctrine/dbal requirement from ^2.9 to ^3.1

    Update doctrine/dbal requirement from ^2.9 to ^3.1

    Updates the requirements on doctrine/dbal to permit the latest version.

    Release notes

    Sourced from doctrine/dbal's releases.

    3.1.0

    Release 3.1.0

    3.1.0

    • Total issues resolved: 3
    • Total pull requests resolved: 16
    • Total contributors: 5

    Deprecation,New Feature

    Deprecation,Documentation

    Deprecation,Documentation,Reserved Keywords

    Deprecation,Oracle,Schema Managers

    Error Handling,Improvement,Prepared Statements,oci8

    Deprecation,Improvement,QueryBuilder

    Deprecation

    Connections,Sequences,pdo_sqlsrv

    ... (truncated)

    Commits
    • 5ba62e7 Merge branch '3.0.x' into 3.1.x
    • 4dd066d Merge pull request #4610 from doctrine/2.13.x-merge-up-into-3.0.x_607db0f4870...
    • c800380 Merge pull request #4608 from morozov/shepherd
    • 05b7797 Attribute type coverage metric to 3.1.x instead of 2.13.x
    • 9fc431a Merge pull request #4604 from morozov/shepherd
    • 275131f Merge branch '3.0.x' into 3.1.x
    • 41d7dd9 Merge branch '2.13.x' into 3.0.x
    • a25bc6a Replace 2.12 with 2.13 in README
    • ef629cf Collect type coverage metrics, add badge to README
    • f4a801b Merge pull request #4596 from mdumoulin/fix_issue_4591
    • Additional commits viewable in compare view

    Dependabot will resolve any conflicts with this PR as long as you don't alter it yourself. You can also trigger a rebase manually by commenting @dependabot rebase.


    Dependabot commands and options

    You can trigger Dependabot actions by commenting on this PR:

    • @dependabot rebase will rebase this PR
    • @dependabot recreate will recreate this PR, overwriting any edits that have been made to it
    • @dependabot merge will merge this PR after your CI passes on it
    • @dependabot squash and merge will squash and merge this PR after your CI passes on it
    • @dependabot cancel merge will cancel a previously requested merge and block automerging
    • @dependabot reopen will reopen this PR if it is closed
    • @dependabot close will close this PR and stop Dependabot recreating it. You can achieve the same result by closing it manually
    • @dependabot ignore this major version will close this PR and stop Dependabot creating any more for this major version (unless you reopen the PR or upgrade to it yourself)
    • @dependabot ignore this minor version will close this PR and stop Dependabot creating any more for this minor version (unless you reopen the PR or upgrade to it yourself)
    • @dependabot ignore this dependency will close this PR and stop Dependabot creating any more for this dependency (unless you reopen the PR or upgrade to it yourself)
    • @dependabot use these labels will set the current labels as the default for future PRs for this repo and language
    • @dependabot use these reviewers will set the current reviewers as the default for future PRs for this repo and language
    • @dependabot use these assignees will set the current assignees as the default for future PRs for this repo and language
    • @dependabot use this milestone will set the current milestone as the default for future PRs for this repo and language
    • @dependabot badge me will comment on this PR with code to add a "Dependabot enabled" badge to your readme

    Additionally, you can set the following in your Dependabot dashboard:

    • Update frequency (including time of day and day of week)
    • Pull request limits (per update run and/or open at any time)
    • Out-of-range updates (receive only lockfile updates, if desired)
    • Security updates (receive only security updates, if desired)
    dependencies 
    opened by dependabot-preview[bot] 0
  • Implement Laravel 6 gate features with custom deny messaging.

    Implement Laravel 6 gate features with custom deny messaging.

    • https://laravel.com/docs/6.x/authorization#gate-responses
    • https://laravel.com/docs/6.x/authorization#policy-responses
    • https://www.youtube.com/watch?v=Hfgcg09srSo at around 9:00
    enhancement 
    opened by mikebronner 0
Releases(0.19.8)
Role-based Permissions for Laravel 5

ENTRUST (Laravel 5 Package) Entrust is a succinct and flexible way to add Role-based Permissions to Laravel 5. If you are looking for the Laravel 4 ve

Zizaco 6.1k Jan 5, 2023
Light-weight role-based permissions system for Laravel 6+ built in Auth system.

Kodeine/Laravel-ACL Laravel ACL adds role based permissions to built in Auth System of Laravel 8.0+. ACL middleware protects routes and even crud cont

Kodeine 781 Dec 15, 2022
PermissionsMakr is a Laravel package that will help any developer to easily manage the system's users permissions

PermissionsMakr is a Laravel package that will help any developer to easily manage the system's users permissions

Alvarium Digital 3 Nov 30, 2021
Minimalistic token-based authorization for Laravel API endpoints.

Bearer Minimalistic token-based authorization for Laravel API endpoints. Installation You can install the package via Composer: composer require ryang

Ryan Chandler 74 Jun 17, 2022
Tech-Admin is Laravel + Bootstrap Admin Panel With User Management And Access Control based on Roles and Permissions.

Tech-Admin | Laravel 8 + Bootstrap 4 Tech-Admin is Admin Panel With Preset of Roles, Permissions, ACL, User Management, Profile Management. Features M

TechTool India 39 Dec 23, 2022
User role and Permission Management system with Paticie package

User role and Permission Management system with Paticie package Installation instruction Download or git clone https://github.com/KKOO727/User-role-ma

Ninja 2 Mar 4, 2022
A user, group, role and permission management for Codeigniter 4

CI4-Auth CI4-Auth is a user, group, role and permission management library for Codeigniter 4. CI4-Auth is based on the great Myth-Auth library for Cod

George Lewe 15 Dec 16, 2022
It's authorization form, login button handler and login to your personal account, logout button

Authorization-form It's authorization form, login button handler and login to your personal account, logout button Each file is: header.php - html-fil

Galina 2 Nov 2, 2021
Handle roles and permissions in your Laravel application

Laratrust (Laravel Package) Version Compatibility Laravel Laratrust 8.x 6.x 7.x 6.x 6.x 6.x 5.6.x - 5.8.x 5.2 5.3.x - 5.5.x 5.1 5.0.x - 5.2.x 4.0. Ins

Santiago GarcĂ­a 2k Dec 30, 2022
Declarative style of authorization and validation in laravel.

Laravel Hey Man Readability Counts. In fact, Readability is the primary value of your code !!! ?? Heyman continues where the other role-permission pac

Iman 860 Jan 1, 2023
Files Course Laravel Micro Auth and Authorization

About Laravel Laravel is a web application framework with expressive, elegant syntax. We believe development must be an enjoyable and creative experie

EspecializaTi 8 Oct 22, 2022
Easy, native Laravel user authorization.

An easy, native role / permission management system for Laravel. Index Installation Migration Customization Model Customization Usage Checking Permiss

DirectoryTree 5 Dec 14, 2022
An authorization library that supports access control models like ACL, RBAC, ABAC in Laravel.

Laravel Authorization Laravel-authz is an authorization library for the laravel framework. It's based on Casbin, an authorization library that support

PHP-Casbin 243 Jan 4, 2023
Laravel Auth is a Complete Build of Laravel 8 with Email Registration Verification, Social Authentication, User Roles and Permissions, User Profiles, and Admin restricted user management system.

Laravel Auth is a Complete Build of Laravel 8 with Email Registration Verification, Social Authentication, User Roles and Permissions, User Profiles, and Admin restricted user management system. Built on Bootstrap 4.

Jeremy Kenedy 2.8k Dec 31, 2022
A framework agnostic authentication & authorization system.

Sentinel Sentinel is a PHP 7.3+ framework agnostic fully-featured authentication & authorization system. It also provides additional features such as

Cartalyst 1.4k Dec 30, 2022
An authorization library that supports access control models like ACL, RBAC, ABAC in PHP .

PHP-Casbin Documentation | Tutorials | Extensions Breaking News: Laravel-authz is now available, an authorization library for the Laravel framework. P

PHP-Casbin 1.1k Dec 14, 2022
Authentication and authorization library for Codeigniter 4

Authentication and Authorization Library for CodeIgniter 4. This library provides an easy and simple way to create login, logout, and user registratio

Rizky Kurniawan 12 Oct 10, 2022
This is a basic Oauth2 authorization/authentication server implemented using Mezzio.

Mezzio-OAuth2-Authorization-Authentication-Server This is a basic OAuth2 authorization/authentication server implemented using Mezzio. I have found so

null 1 Nov 15, 2022