


1. Middleware
Laravel's HTTP middleware provides a layer of filtering and protection for routing. Let's simulate using middleware to verify background login.
1. Create middleware
Go to the project directory in the cmd window and use the artisan command to create
php artisan make:middleware AdminLoginVerify
This will be in app/Http/ Middleware directory creation middleware AdminLoginVerify
Add verification logic in the handle() method of the AdminLoginVerify class:
<?php namespace App\Http\Middleware; use Closure; class AdminLoginVerify { public function handle($request, Closure $next) { if(!session('admin')){ // 如果没有登录则定向到登录页 return redirect('admin/login'); } return $next($request); } }
ok, now Just create and define the login verification middleware AdminLoginVerify
2. Register the middleware
Find the protected $routeMiddleware attribute in the app/Http/Kernel.php file , append our AdminLoginVerify
protected $routeMiddleware = [ 'auth' => \App\Http\Middleware\Authenticate::class, 'auth.basic' => \Illuminate\Auth\Middleware\AuthenticateWithBasicAuth::class, 'can' => \Illuminate\Foundation\Http\Middleware\Authorize::class, 'guest' => \App\Http\Middleware\RedirectIfAuthenticated::class, 'throttle' => \Illuminate\Routing\Middleware\ThrottleRequests::class, // 自定义中间件 'adminLoginVerify' => \App\Http\Middleware\AdminLoginVerify::class, ];
3. Add routing
Add routing in the app/Http/routes.php file:
// 后台首页路由、退出登录路由 Route::group(['prefix' => 'admin', 'namespace' => 'Admin', 'middleware' => 'adminLoginVerify'], function(){ Route::get('index', 'IndexController@index'); Route::get('logout', 'IndexController@logout'); }); // 后台登录路由 Route::group(['middleware' => 'web'], function(){ Route::get('admin/login', 'Admin\IndexController@login'); });
This is the code of the Index controller in the background Admin directory:
<?php namespace App\Http\Controllers\Admin; use App\Http\Controllers\Controller; class IndexController extends Controller{ // 后台首页 public function index(){ return '<h1 id="欢迎你-nbsp-nbsp-session-admin-nbsp-nbsp">欢迎你,' . session('admin') . '</h1>'; } // 后台登录 public function login(){ session(['admin' => 'mingc']); return '<h1 id="后台登录">后台登录</h1>'; } // 退出登陆 public function logout(){ session(['admin' => null]); return '<h1 id="退出登录">退出登录</h1>'; } }
4. Simulate login
Open the browser and visit the backend login page
Okay, visit the backend homepage
Now we log out
In the logged out state, accessing the home page will redirect you to the login page.
2. View
1. Render the view and allocate data
Method 1. Array key-value pair allocation
// 在控制器中 $data = array( 'title' => 'Laravel', 'subTitle' => '高效快捷的PHP框架' ); return view('my_laravel', $data); // 在模板中 <?php echo $title;?> <?php echo $subTitle;?>
Method 2. With method chain allocation
// 在控制器中 return view('my_laravel')->with('title', 'Laravel')->with('subTitle', '高效快捷的PHP框架'); // 在模板中(和上面的一样) <?php echo $title;?> <?php echo $subTitle;?>
Method 3. Using compact() function allocation
// 在控制器中 $data = array( 'title' => 'Laravel', 'subTitle' => '高效快捷的PHP框架' ); $content = 'Laravel 5.2 在 5.1 基础上继续改进和优化,添加了许多新的功能特性...'; return view('my_laravel', compact('data', 'content')); // 在模板中(和前两个不太一样) <?php echo $data['title'] ; ?> <?php echo $data['subTitle']; ?> <?php echo $content; ?>
Among them, the first parameter my_laravel of the view() function is the view template name, which is in the resources/views view directory. The template file suffix is .blade.php, using Blade Template engine.
3. Blade template engine
1. Output variables
// 输出单个变量 {{ $var }} // 保留双大括号,编译为{{ var }} @{{ var }} // 可以输出默认值 {{ $var or '我是默认值' }} {{ isset($var) ? $var : '我是默认值' }} // Blade 注释 {{-- 这个注释不会输出到页面中 --}} // 忽略字符实体化,输出 JS 或 HTML {!! $var !!} // 注: 因为 Blade 模板引擎默认对{{}}语句进行了 htmlentities 字符实体化,所以要输出JS或HTML代码时,应使用上述语法
2. Process control
// if 语句 @if($var == 'laravel') I am laravel @elseif($var == 'yii') I am yii @else I don’t know what I am. @endif // 循环 @for ($i = 0; $i < 10; $i++) The current value is {{ $i }} @endfor @foreach ($array as $v) <p>我是数组成员 {{$v}}</p> @endforeach @forelse ($users as $v) <li>我的名字是{{ $v->name }}</li> @empty <p>我没有名字</p> @endforelse @while (true) <p>我一直在循环...</p> @endwhile // 可以嵌套 @for($i = 0; $i < 10; $i++) @if($i > 5) I am {{$i}} > 5 @endif @endfor
3. Template layout and subviews
@include File inclusion instructions.
@extends Template inheritance directive.
@yield Slice definition instructions (define the slice display position).
@section Slice provides instructions (defining the details of the slice).
@endsection The end tag of @section.
@Show @Section's ending mark, which provides sliced content while displaying slices.
@parent The content tag of @section displays the slices of the parent template.
@include: Includes subviews, that is, file inclusion.
If multiple web pages in a website have common parts, such as top navigation, sidebar recommendations, and bottom copyright. In order to facilitate later maintenance and modification, you can extract the public parts of these web pages as separate files, put them in the common folder under the view directory, and name them top.balde.php, aside.blade.php and bottom.blade respectively. .php. Then in each of our view templates, you can use
@include('common.top') // 将顶部导航包含进来,其他公共部分同样处理。
If you need to pass variables, you can add parameters
@include('common.top', ['location' => '首页'])
@extends: Template inheritance, inherit the parent template layout.
In the @include directive, it includes the extracted template part.
The @extends directive inherits an existing main template layout.
Now there is a layouts directory under the view directory, and there is a main template master.blade.php in the directory. The layout is as follows:
<!DOCTYPE html> <html> <head> <title>@yield('title', '首页')</title> </head> <body> <p class="top">顶部</p> @yield('main') <p class="aside">侧栏</p> <p class="bottom">底部</p> </body> </html>
@yield( 'title', 'Home') directive defines the display of the page title in the
@yield('main') defines the display of the main content between the top and side columns.
So where are the title and main content? This requires subtemplates.
Now we create a new sub-template child.blade.php in the view directory, the content is as follows:
@extends('layouts.master') @section('title') 关于页 @endsection @section('main') <p class="main">【关于页】主内容</p> @endsection
Define the pointer The routing of master main template view and child sub-template view, access the child sub-view in the browser
We see that the child sub-template inherits the master Contents of the main template: top, sidebar, bottom
同时,child 子模板也显示了自己的网页标题 “关于页” 和主内容 “【关于页】主内容”
这就是 master 主模板中切片定义者 @yield 和 child 子模板中切片提供者 @section@endsection 的功劳了。
@yield、@section: 定义切片和提供切片。
@yield('main') 指令定义一段HTML切片,它指示了在这个位置显示一个名为'main'的切片
@section('main')@endsection 指令提供了一段HTML切片,它为@yield('main') 定义的'mian'切片提供了详细的内容。
那么有了切片的显示位置,有了切片的详细内容,就可以显示出一个详细的HTML切片了。
应该注意到了,在主模板 master 中有这么一个
@yield('title', '首页')
它指示了 'title' 切片的默认值。就是说,如果没有子模板继承主模板,或者继承了但没有用@section('title')@endsection 指令提供 'title' 切片,它将显示一个默认值 '首页' 。
现在,直接访问主模板看看
没错,没有子模板用 @section('title')@endsection 来提供标题, @yield('title', '首页') 显示了 'title' 切片的默认值 '首页'。
那么,主模板作为网站首页的话,它的主内容呢?如果要显示的话,难道又要写一个子模板来继承它,再用 @section@endsection 提供主内容?可不可以直接在主模板里写一个类似@yield('title', '首页') 提供的默认值呢?
当然可以,下面来重写主模板
@yield('title', '首页') 顶部
@section('main')【首页】主内容
@show侧栏
底部
@section('main')@show 可以提供 'main' 切片并显示出来。
现在访问主模板看看,首页主内容出来了。
并且,如果有子模板继承,并用 @section('main')@endsection 中也提供了一段'main'切片的话,这将覆 盖 主模板中的 'main'切片,而只显示自己定义的。类似于面向对象的重写。
在重写了主模板后,再访问子模板看看
因为子模板中 @sectioin('main')@endsection 提供了'main'切片,所以覆盖了父级中的'main'。
有时候可能需要子模板中重写但不覆盖主模板的切片内容,那么可以在子模板中使用 @parent 来显示主模板中的切片
@extends('layouts.master') @section('title') 关于页 @endsection @section('main') @parent <p class="main">【关于页】主内容</p> @endsection
访问子模板
显示子模板主内容的同时,也显示了主模板的主内容。
The above is the detailed content of Laravel 5. Examples of middleware and views and the Blade template engine. For more information, please follow other related articles on the PHP Chinese website!

本篇文章给大家带来了关于laravel的相关知识,其中主要介绍了关于单点登录的相关问题,单点登录是指在多个应用系统中,用户只需要登录一次就可以访问所有相互信任的应用系统,下面一起来看一下,希望对大家有帮助。

本篇文章给大家带来了关于laravel的相关知识,其中主要介绍了关于Laravel的生命周期相关问题,Laravel 的生命周期从public\index.php开始,从public\index.php结束,希望对大家有帮助。

在laravel中,guard是一个用于用户认证的插件;guard的作用就是处理认证判断每一个请求,从数据库中读取数据和用户输入的对比,调用是否登录过或者允许通过的,并且Guard能非常灵活的构建一套自己的认证体系。

laravel中asset()方法的用法:1、用于引入静态文件,语法为“src="{{asset(‘需要引入的文件路径’)}}"”;2、用于给当前请求的scheme前端资源生成一个url,语法为“$url = asset('前端资源')”。

本篇文章给大家带来了关于laravel的相关知识,其中主要介绍了关于使用中间件记录用户请求日志的相关问题,包括了创建中间件、注册中间件、记录用户访问等等内容,下面一起来看一下,希望对大家有帮助。

本篇文章给大家带来了关于laravel的相关知识,其中主要介绍了关于中间件的相关问题,包括了什么是中间件、自定义中间件等等,中间件为过滤进入应用的 HTTP 请求提供了一套便利的机制,下面一起来看一下,希望对大家有帮助。

在laravel中,fill方法是一个给Eloquent实例赋值属性的方法,该方法可以理解为用于过滤前端传输过来的与模型中对应的多余字段;当调用该方法时,会先去检测当前Model的状态,根据fillable数组的设置,Model会处于不同的状态。

laravel路由文件在“routes”目录里。Laravel中所有的路由文件定义在routes目录下,它里面的内容会自动被框架加载;该目录下默认有四个路由文件用于给不同的入口使用:web.php、api.php、console.php等。


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

PhpStorm Mac version
The latest (2018.2.1) professional PHP integrated development tool

MantisBT
Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

SublimeText3 Linux new version
SublimeText3 Linux latest version

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.

EditPlus Chinese cracked version
Small size, syntax highlighting, does not support code prompt function
