


Laravel 5 framework learning user authentication, laravel5 framework authentication
Laravel has been shipped with a user authentication system. Let’s take a look at routes.php. If deleted, add it :
Route::controllers([ 'auth' => 'Auth\AuthController', 'password' => 'Auth\PasswordController' ]);
You can use php artisan route:list to check it out. Visit /auth/login in the browser and you will see the login interface. It is best to comment out the things about google in the system default app.blade.php, otherwise you will go crazy.
You can use register, login or even forget password.
Actually registering a user failed after submission. In fact, it did not fail, but larave automatically jumped to /home. We have deleted this controller. You can use tinker to see if the user has been created.
Trait is actually used in AuthAuthController, what is triat? Well, PHP only supports single inheritance, and traits were added in PHP5.4. A trait is actually an encapsulation of a set of methods, and you can include it in another class. Like an abstract class, you cannot instantiate it directly.
There is a reference to the trait in AuthAuthController:
Copy code The code is as follows:
use AuthenticatesAndRegistersUsers;
Let’s find him and see how he jumps after registration. He is hidden quite deep in vendor/laravel/framework/src/Illuminate/Foundation/Auth/AuthenticatesAndregistersUsers.php, wow.
public function redirectPath() { if (property_exists($this, 'redirectPath')) { return $this->redirectPath; } //如果用户设置了 redirectTo 属性,则跳转到用户设置的属性,否则到home return property_exists($this, 'redirectTo') ? $this->redirectTo : '/home'; }
OK, we know, just set the redirectTo attribute to customize the jump after registration. We modify it in AuthAuthContotroller:
Copy code The code is as follows:
protected $redirectTo = 'articles';
Let’s use /auth/logout first to make sure we log out. Don’t be afraid if something goes wrong, we don’t have a default homepage. Re-visit: auth/register to create a new user. This time it should be ok.
Logout again, and then use login to log in.
Now we can delete the temporarily set hidden fields in form_partial and modify the controller:
public function store(Requests\ArticleRequest $request) { //你可以这样 //$request = $request->all(); //$request['user_id'] = Auth::id(); //更简单的方法 $article = Article::create($request->all()); //laravel 自动完成外键关联 Auth::user()->articles()->save($article); return redirect('articles'); }
Add an article and check it out using tinker.
Middleware
Of course we don't want anyone to be able to publish articles, at least only by logging in. We add protection in the controller:
public function create() { if (Auth::guest()) { return redirect('articles'); } return view('articles.create'); }
The above code works, but there is a problem. We need to perform the above processing in every method that needs to be protected. This is too stupid. Fortunately, we have middleware.
Middleware can be understood as a processing pipeline. The middleware processes at a certain moment in the pipeline. This moment can be a request or a response. Depending on the processing rules of the middleware, the request may be redirected or passed.
There are three middlewares included in app/http/middleware. You can tell what they do by their names. Take a closer look. Note that Closure $next represents the next middleware.
Register the middleware in app/http/kernel.php. The $middleware section declares middleware that processes all http, $routeMiddleware only processes routing, and you must explicitly declare to use one or more of these middlewares.
Suppose we want to protect the entire ArticlesController, we add middleware directly in the constructor:
public function __construct() { $this->middleware('auth'); }
Every method is now protected.
But we probably don’t want the entire controller to be protected, what if it’s just one or two of its methods? We can handle it like this:
public function __construct() { $this->middleware('auth', ['only' => 'create']); //当然可以反过来 //$this->middleware('auth', ['except' => 'index']); }
We don’t have to introduce middleware in the constructor of the controller, we can declare it directly in the route:
Copy code The code is as follows:
Route::get('about', ['middleware' => 'auth', 'uses' => 'PagesController@about']);
The system middleware provided in kernel.php, such as 'IlluminateFoundationHttpMiddlewareCheckForMaintenanceMode', allows us to enter maintenance mode. For example, the system is online, but now it needs to be temporarily shut down for a period of time for processing. We can process it on the command line. Take a look at this middleware in action:
Copy code The code is as follows:
php artisan down
Visit the website and you can see that any URL request will be returned immediately. Website online:
Copy code The code is as follows:
php artisan up
Let’s make our own middleware:
Copy code The code is as follows:
php artisan make:middleware Demo
Then add the code:
public function handle($request, Closure $next) { //如果请求中含有 foo,我们就回到控制器首页 if ($request->has('foo')) { return redirect('articles'); } return $next($request); }
If you want to use middleware for all requests, you need to register it in $middleware in kernel.php:
protected $middleware = [ ... 'App\Http\Middleware\Demo', ];
Now we can test it, let’s say we visit /articles/create?foo=bar and we are redirected to the homepage.
Let’s get rid of this display middleware and let’s create a middleware that is actually useful. Suppose we want to protect a page. This page must be accessible by administrators.
Copy code The code is as follows:
php artisan make:middleware RedirectIfNotAManager
Let’s add the processing code:
public function handle($request, Closure $next) { if (!$request->user() || !$request->user()->isATeamManager()) { return redirect('articles'); } return $next($request); }
下面修改我们的模型:
public function isATeamManager() { return false; }
简单起见,我们直接返回false。这次我们把中间件放置在 kernel.php 中的$routeMiddleware 中。
protected $routeMiddleware = [ ... 'manager' => 'App\Http\Middleware\RedirectIfNotAManager', ];
我们做一个测试路由测试一下:
Route::get('foo', ['middleware' => 'manager', function() { return 'This page may only be viewed by manager'; }]);
guest身份访问或者登录身份访问都会返回主页,但是如果修改 isATeamManager() 返回 true,登录身份访问可以看到返回的信息。
以上就是本文所述的全部内容,希望对大家熟悉Laravel5框架能够有所帮助。

php把负数转为正整数的方法:1、使用abs()函数将负数转为正数,使用intval()函数对正数取整,转为正整数,语法“intval(abs($number))”;2、利用“~”位运算符将负数取反加一,语法“~$number + 1”。

PHP是一种非常流行的编程语言,而CodeIgniter4是一种常用的PHP框架。在开发Web应用程序时,使用框架是非常有帮助的,它可以加速开发过程、提高代码质量、降低维护成本。本文将介绍如何使用CodeIgniter4框架。安装CodeIgniter4框架CodeIgniter4框架可以从官方网站(https://codeigniter.com/)下载。下

ThinkPHP6用户登录与注册:实现用户认证功能引言:用户登录与注册是大多数Web应用程序的常见需求之一。在ThinkPHP6中,通过使用内置的用户认证功能可以轻松实现用户的登录与注册操作。本文将介绍如何在ThinkPHP6中实现用户的认证功能,并附上代码示例。一、用户认证功能简介用户认证是指验证用户身份的过程。在Web应用程序中,用户认证通常包括用户登录

在PHP中,可以利用implode()函数的第一个参数来设置没有分隔符,该函数的第一个参数用于规定数组元素之间放置的内容,默认是空字符串,也可将第一个参数设置为空,语法为“implode(数组)”或者“implode("",数组)”。

如何使用Flask-Security实现用户认证和授权引言:在现代的Web应用程序中,用户认证和授权是必不可少的功能。为了简化这个过程,Flask-Security是一个非常有用的扩展,它提供了一系列工具和功能,使用户认证和授权变得简单而便捷。本文将介绍如何使用Flask-Security来实现用户认证和授权。一、安装Flask-Security扩展:在开始

如何在Laravel框架中使用模型事件(ModelEvents)Laravel框架提供了许多强大的功能,其中之一是模型事件(ModelEvents)。模型事件是在Laravel的EloquentORM(对象关系映射)中使用的一种功能,它允许开发人员在模型发生特定动作时执行自定义的代码。在本文中,我们将探讨如何在Laravel框架中使用模型事件,并提供一

如何利用PHP函数进行LDAP连接和用户认证?LDAP(轻量目录访问协议)是一种用于访问和维护分布式目录信息的协议。在Web应用程序中,LDAP通常被用于用户认证和授权。PHP提供了一系列函数来实现LDAP连接和用户认证,让我们来看一下如何使用这些函数。连接LDAP服务器要连接LDAP服务器,我们可以使用ldap_connect函数。下面是一个连接LDAP服

在Slim框架中使用会话(Sessions)进行用户认证的方法在Web应用程序中,用户认证是一个重要的功能,它确保只有被授权的用户可以访问受限资源。会话(Sessions)是一种常用的认证方法,通过存储用户身份和状态信息,确保用户在整个会话期间保持认证状态。Slim框架提供了方便的工具和中间件来处理会话和用户认证。下面我们将介绍如何在Slim框架中使用会话进


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Safe Exam Browser
Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.

SecLists
SecLists is the ultimate security tester's companion. It is a collection of various types of lists that are frequently used during security assessments, all in one place. SecLists helps make security testing more efficient and productive by conveniently providing all the lists a security tester might need. List types include usernames, passwords, URLs, fuzzing payloads, sensitive data patterns, web shells, and more. The tester can simply pull this repository onto a new test machine and he will have access to every type of list he needs.

SublimeText3 Mac version
God-level code editing software (SublimeText3)

ZendStudio 13.5.1 Mac
Powerful PHP integrated development environment

SublimeText3 English version
Recommended: Win version, supports code prompts!
