Laravel 5 4 实现前后台登录

在官网下载 Laravel 5.4 配置并能在访问

php artisan make:auth
复制代码

生成后路由文件 routes/web.php ,自动有

Auth::routes();Route::get('/home', 'HomeController@index');
复制代码

运行

php artisan migrate
复制代码

执行命令后会生成 users 表和 password_resets 表,既 用户表和密码重置表。可以测试用户登录,注册,找回密码功能。 ##自定义用户表登录 在 config/auth.php 配置如下:

  <?php
return ['defaults' => ['guard' => 'web','passwords' => 'users',],'guards' => ['web' => ['driver' => 'session','provider' => 'users',],'api' => ['driver' => 'token','provider' => 'users',],],'providers' => ['users' => ['driver' => 'eloquent','model' => App\User::class,],],'passwords' => ['users' => ['provider' => 'users','email' => 'auth.emails.password','table' => 'password_resets','expire' => 60,],],
];
复制代码

认证是由 guardsproviders 两部分构成的, defaults 配置是默认选择一个 guard 认证驱动,所以我们在这两个配置项中分别添加一个 adminadmins 选项。

<?php'guards' => ['web' => ['driver' => 'session','provider' => 'users',],'admin' => ['driver' => 'session','provider' => 'admins',],'providers' => ['users' => ['driver' => 'eloquent','model' => App\User::class,],'admins' => ['driver' => 'eloquent','model' => App\Models\Admin::class,],],
复制代码

创建后台用户表和model

  php artisan make:model Adminphp artisan make:migration creaet_admins_table
复制代码

在数据库迁移文件 _create_admins_table , 我们可以复制 users 迁移文件里的字段

  Schema::create('admins', function (Blueprint $table) {$table->increments('id');$table->string('name');$table->string('email');$table->string('password');$table->rememberToken();$table->timestamps();});
复制代码

执行php artisan migrate ###生成临时数据 在 database/factories/ModelFactory.php, 添加如下数据:

$factory->define(App\Admin::class, function (Faker\Generator $faker) {static $password;return ['name' => $faker->name,'password' => $password ?: $password = bcrypt('123456'),'email' =>  $faker->email,'remember_token' => str_random(10),];
});
复制代码

打开命令行输入:

  php artisan tinkeruse App;factory(App\Admin::class,5)->create() //生成5条测试数据,你要几条就输入多少(Class,num)
复制代码

###更改 Admin 模型类

  <?phpnamespace App;use Illuminate\Notifications\Notifiable;
use Illuminate\Foundation\Auth\User as Authenticatable;class Admin extends Authenticatable
{use Notifiable;/*** The attributes that are mass assignable.** @var array*/protected $fillable = ['name', 'email', 'password',];/*** The attributes that should be hidden for arrays.** @var array*/protected $hidden = ['password', 'remember_token',];
}
复制代码

###创建控制器

php artisan make:controller Admin/LoginController
php artisan make:controller Admin/AdminController
复制代码

编辑 Admin/LoginController.php

<?phpnamespace App\Http\Controllers\Admin;use Illuminate\Http\Request;
use App\Http\Controllers\Controller;
use Illuminate\Foundation\Auth\ThrottlesLogins;
use Illuminate\Foundation\Auth\AuthenticatesUsers;class LoginController extends Controller
{use AuthenticatesUsers;/*** Where to redirect users after login / registration.** @var string*/protected $redirectTo = '/admin/index';protected $username;/*** Create a new controller instance.** @return void*/public function __construct(){$this->middleware('guest:admin', ['except' => 'logout']);$this->username = config('admin.global.username');}/*** 重写登录视图页面*/public function showLogin(){return view('admin.login.index');}/*** 自定义认证驱动* @return mixed*/protected function guard(){return auth()->guard('admin');}}复制代码

修改 app\Http\Middleware\RedirectIfAuthenticated.php:

public function handle($request, Closure $next, $guard = null){if (Auth::guard($guard)->check()) {// 根据不同 guard 跳转到不同的页面$url = $guard ? 'admin/dash':'/home';return redirect($url);}return $next($request);}
复制代码

编辑 Admin\AdminController.php

<?phpnamespace App\Http\Controllers\Admin;use App\Http\Controllers\Controller;class AdminController extends Controller
{/*** Create a new controller instance.** @return void*/public function __construct(){$this->middleware('auth.admin:admin');}//public function index(){dd('用户名:'.auth('admin')->user()->name);}
复制代码
   php artisan make:middleware AdminAuthMiddleware
复制代码

编辑 app\Http\Middleware\AdminAuthMiddleware.php

public function handle($request, Closure $next, $guard = null){if (Auth::guard($guard)->guest()) {if ($request->ajax() || $request->wantsJson()) {return response('Unauthorized.', 401);} else {return redirect()->guest('admin/login');}}return $next($request);}
复制代码

app\Http\Kernel.php 中注册:

protected $routeMiddleware = [··· ···'auth.admin' => \App\Http\Middleware\AdminAuthMiddleware::class,];
复制代码

###注册路由 编辑 routes/web.php

Route::group(['prefix' => 'admin','namespace' => 'Admin'],function ($router)
{$router->get('login', 'LoginController@showLogin')->name('admin.login');$router->post('login', 'LoginController@login');$router->post('logout', 'LoginController@logout');$router->get('index', 'AdminController@index');
});
复制代码

###视图文件创建和修改 复制 resources\views\auth\login.blade.php,到 resources\views\admin\login\index.blade.php,修改表单提交地址

 {{ url('/login') }} 改成 {{ route('admin.login') }}
复制代码

访问 你的站点/admin/login

###另外知识点:

发现后台经常是用用户名登录的,而不是邮箱。

更改LoginController.php添加:

/*** @return string*/public function username(){return 'name';//登录名}
复制代码

后修改 resources\views\admin\login\login.blade.php 把邮箱相关的html删除换成

<div class="form-group"><label for="name" class="col-md-4 control-label">Name</label><div class="col-md-6"><input id="name" type="text" class="form-control" name="name" value="{{ old('name') }}"></div>
</div>
复制代码

转载于:https://juejin.im/post/5a333e6551882505d46073f6

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。
如若转载,请注明出处:http://www.tpcf.cn/news/391813.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

leetcode 561. 数组拆分 I(排序)

给定长度为 2n 的整数数组 nums &#xff0c;你的任务是将这些数分成 n 对, 例如 (a1, b1), (a2, b2), …, (an, bn) &#xff0c;使得从 1 到 n 的 min(ai, bi) 总和最大。 返回该 最大总和 。 示例 1&#xff1a; 输入&#xff1a;nums [1,4,3,2] 输出&#xff1a;4 解释…

经典网络流题目模板(P3376 + P2756 + P3381 : 最大流 + 二分图匹配 + 最小费用最大流)...

题目来源 P3376 【模板】网络最大流P2756 飞行员配对方案问题P3381 【模板】最小费用最大流最大流 最大流问题是网络流的经典类型之一&#xff0c;用处广泛&#xff0c;个人认为网络流问题最具特点的操作就是建反向边&#xff0c;这样相当于给了反悔的机会&#xff0c;不断地求…

Tensorflow笔记(基础): 图与会话,变量

图与会话 import tensorflow as tf import os# 取消打印 cpu,gpu选择等的各种警告 # 设置TF_CPP_MIN_LOG_LEVEL 的等级,1.1.0以后设置2后 只不显示警告,之前需要设置3,但设置3不利于调试 os.environ[TF_CPP_MIN_LOG_LEVEL] 2 import time# 创建一个常量 op, 产生一个 1x2 矩阵…

css左右布局代码_如何使用CSS位置来布局网站(带有示例代码)

css左右布局代码Using CSS position to layout elements on your website can be hard to figure out. What’s the difference between absolute, relative, fixed, and sticky? It can get confusing pretty quickly.使用CSS位置来布局网站上的元素可能很困难。 绝对&#x…

redis memcached MongoDB

我们现在使用的模式是&#xff0c;对于直接的key value对需缓存的直接用memcached。对于collection类型就使用Redis。对于大数据量的内容性的东西&#xff0c;我们打算尝试用mongoDB。也正在学习neo4j&#xff0c;来应对深度搜索&#xff0c;推荐功能。 1.Memcached单个key-val…

线性代数-矩阵-转置 C和C++的实现

原理解析&#xff1a; 本节介绍矩阵的转置。矩阵的转置即将矩阵的行和列元素调换&#xff0c;即原来第二行第一列&#xff08;用C21表示&#xff0c;后同&#xff09;与第一行第二列&#xff08;C12&#xff09;元素调换位置&#xff0c;原来c31与C13调换。即cij与cji调换 。 &…

数字经济的核心是对大数据_大数据崛起为数字世界的核心润滑剂

数字经济的核心是对大数据“Information is the oil of the 21st century, and analytics is the combustion engine”.“信息是21世纪的石油&#xff0c;分析是内燃机”。 — Peter Sondergaard, Senior Vice President of Gartner Research.— Gartner研究部高级副总裁Peter…

乞力马扎罗山 海明威_我如何对海明威编辑器(一种流行的写作应用程序)进行反向工程,并从泰国的海滩上构建了自己的数据库

乞力马扎罗山 海明威I’ve been using the Hemingway App to try to improve my posts. At the same time I’ve been trying to find ideas for small projects. I came up with the idea of integrating a Hemingway style editor into a markdown editor. So I needed to fi…

leetcode 566. 重塑矩阵

在MATLAB中&#xff0c;有一个非常有用的函数 reshape&#xff0c;它可以将一个矩阵重塑为另一个大小不同的新矩阵&#xff0c;但保留其原始数据。 给出一个由二维数组表示的矩阵&#xff0c;以及两个正整数r和c&#xff0c;分别表示想要的重构的矩阵的行数和列数。 重构后的…

制作简单的WIFI干扰器

原教程链接:http://www.freebuf.com/geek/133161.htmlgithub 1.准备材料 制作需要的材料有 nodemcu开发版IIC通信 128*64 OLED液晶屏电线按钮开关万能板排针(自选)双面胶(自选)参考2.准备焊接 引脚焊接参考 oled按钮效果3.刷入固件 下载烧录工具:ESP8266Flasher.exe 下载固件:…

Snipaste截图

绘图绘色&#xff0c;描述加图片能更加说明问题的本质。今天推荐一款多功能的截图snipaste... 欣赏绘色 常见报错 解决方案&#xff1a; 下载相关的DLL即可解决&#xff0c; 请根据你操作系统的版本&#xff08;32位/64位&#xff09;&#xff0c;下载并安装相应的微软 Visual …

azure第一个月_MLOps:两个Azure管道的故事

azure第一个月Luuk van der Velden and Rik Jongerius卢克范德费尔登(Luuk van der Velden)和里克 琼格里乌斯( Rik Jongerius) 目标 (Goal) MLOps seeks to deliver fresh and reliable AI products through continuous integration, continuous training and continuous del…

firebase auth_如何使用auth和实时数据库构建Firebase Angular应用

firebase authby Zdravko Kolev通过Zdravko Kolev 如何使用auth和实时数据库构建Firebase Angular应用 (How to build a Firebase Angular app with auth and a real-time database) For a long time, I was looking for a good Portfolio web app that can help me to easily…

Mybatis—多表查询

Mybatis多表查询 一对一查询 一对一查询的模型MapperScannerConfigurer 用户表和订单表的关系为&#xff0c;一个用户有多个订单&#xff0c;一个订单只从属于一个用户 创建Order和User实体 public class Order {private int id;private Date ordertime;private double to…

VS2008 开发设计MOSS工作流 URN 注意了

最近学习MOSS 很苦恼&#xff0c;进度也很慢&#xff0c;最近在学习VS2008开发工作流&#xff0c;其中有结合INFOPATH 2007来做, 出现个BUG或者说是设置的问题,整整花了我一天工作时间&#xff0c;是这样的: 在部署的时候关于URN&#xff0c;大部分的教程都是这样的说的&#…

ArangoDB Foxx service 使用

备注&#xff1a;项目使用的是github https://github.com/arangodb-foxx/demo-hello-foxx1. git clonegit clone https://github.com/arangodb-foxx/demo-hello-foxx.git 2. 安装foxx servicefoxx-manager install demo-hello-foxx /demoapp 3. 效果自动生成的swagger 文档项目…

编译原理 数据流方程_数据科学中最可悲的方程式

编译原理 数据流方程重点 (Top highlight)Prepare a box of tissues! I’m about to drop a truth bomb about statistics and data science that’ll bring tears to your eyes.准备一盒纸巾&#xff01; 我将投放一本关于统计和数据科学的真相炸弹&#xff0c;这会让您眼泪汪…

@ConTrollerAdvice的使用

ConTrollerAdvice&#xff0c;从名字上面看是控制器增强的意思。 在javaDoc写到/*** Indicates the annotated class assists a "Controller".** <p>Serves as a specialization of {link Component Component}, allowing for* implementation classes to be a…

Mybatis—注解开发

Mybatis的注解开发 MyBatis的常用注解 这几年来注解开发越来越流行&#xff0c;Mybatis也可以使用注解开发方式&#xff0c;这样我们就可以减少编写Mapper映射文件了。 Insert&#xff1a;实现新增 Update&#xff1a;实现更新 Delete&#xff1a;实现删除 Select&#x…

道路工程结构计算软件_我从软件工程到产品管理的道路

道路工程结构计算软件by Sari Harrison莎莉哈里森(Sari Harrison) 我从软件工程到产品管理的道路 (My path from software engineering to product management) 以及一些有关如何自己做的建议 (And some advice on how to do it yourself) I am often asked how to make the m…