在現代 Web 應用程式中,控制誰可以存取或修改資源至關重要。例如,在部落格應用程式中,您可能希望確保只有貼文的擁有者才能編輯或刪除它。 Laravel 提供了兩種優雅的方式來處理授權:Gates 和 Policy Classes。本指南將引導您完成這兩種方法,向您展示如何保護您的資源並確保應用程式的安全。
Gate 提供了一種快速而直接的方法來使用閉包處理授權。它們非常適合簡單的授權檢查,並在 AuthServiceProvider 中定義。
讓我們定義一個門來確保只有帖子所有者才能更新或刪除帖子:
定義 Gate:開啟 AuthServiceProvider 並加入您的 Gate 定義:
// app/Providers/AuthServiceProvider.php use Illuminate\Support\Facades\Gate; use App\Models\Post; public function boot() { $this->registerPolicies(); Gate::define('update-post', function ($user, Post $post) { return $user->id === $post->user_id; }); Gate::define('delete-post', function ($user, Post $post) { return $user->id === $post->user_id; }); }
應用閘:在控制器方法中使用閘來強制執行授權邏輯:
// app/Http/Controllers/PostController.php use Illuminate\Http\Request; use Illuminate\Support\Facades\Gate; use App\Models\Post; public function update(Request $request, Post $post) { if (Gate::denies('update-post', $post)) { abort(403, 'You do not own this post. ?'); } // Proceed with updating the post } public function destroy(Post $post) { if (Gate::denies('delete-post', $post)) { abort(403, 'You do not own this post. ?'); } // Proceed with deleting the post }
優點:
缺點:
最佳用例:需要快速授權檢查的小型應用程式或簡單用例。 ?
策略類別提供了一種更結構化和可擴展的方法來處理授權。它們提供了一種清晰的方法來管理複雜的授權規則並保持程式碼井井有條。當使用包含標準CRUD 操作的資源控制器時,策略特別有用:index、create、edit、update 和摧毀。
產生策略:使用 Artisan 建立策略類別:
php artisan make:policy PostPolicy
定義策略方法:開啟產生的策略類別並新增方法來處理每個操作的授權:
// app/Policies/PostPolicy.php namespace App\Policies; use App\Models\User; use App\Models\Post; class PostPolicy { /** * Determine if the user can view the list of posts. * * @param User $user * @return bool */ public function viewAny(User $user) { // Example logic to allow viewing posts for authenticated users return true; } /** * Determine if the user can create a post. * * @param User $user * @return bool */ public function create(User $user) { return true; } /** * Determine if the user can update the post. * * @param User $user * @param Post $post * @return bool */ public function update(User $user, Post $post) { return $user->id === $post->user_id; } /** * Determine if the user can delete the post. * * @param User $user * @param Post $post * @return bool */ public function delete(User $user, Post $post) { return $user->id === $post->user_id; } }
使用策略:在控制器操作上應用策略方法:
// app/Http/Controllers/PostController.php use Illuminate\Http\Request; use App\Models\Post; public function update(Request $request, Post $post) { $this->authorize('update', $post); // Proceed with updating the post } public function destroy(Post $post) { $this->authorize('delete', $post); // Proceed with deleting the post }
優點:
缺點:
最佳案例場景:非常適合具有複雜授權要求的應用程式或目標是乾淨、可維護的程式碼。 ?
Laravel 中的 Gates 和 Policy 類別都提供了處理授權的強大方法。門非常適合快速、簡單的檢查,而策略類別提供了管理複雜場景的結構化方法,特別是在具有index、create、edit、更新和銷毀。選擇最適合您的應用程式需求的方法,並享受安全、組織良好的程式碼庫! ??
以上是Laravel 中的授權 - 初學者指南的詳細內容。更多資訊請關注PHP中文網其他相關文章!