search
HomePHP FrameworkLaravellaravel has several routes
laravel has several routesSep 02, 2021 pm 12:11 PM
laravelrouting

Laravel has 6 types of routes: 1. get, the syntax "Route::get($uri,$callback)"; 2. post, the syntax "Route::post($uri,$callback)"; 3. put, the syntax "Route::put($uri, $callback)"; 4. patch, the syntax "Route::patch($uri, $callback)"; 5. delete, the syntax "Route::delete($ uri, $callback)"; 6. options, syntax "Route::options($uri, $callback)".

laravel has several routes

The operating environment of this tutorial: Windows 7 system, Laravel 6 version, DELL G3 computer.

What are the common routes in Laravel

Summary in one sentence:

6 types: post, get, put, patch, delete, options

Route::get($uri, $callback);
Route::post($uri, $callback);
Route::put($uri, $callback);
Route::patch($uri, $callback);
Route::delete($uri, $callback);
Route::options($uri, $callback);

1. What is the security measure of Lararel's CSRF protection form?

Function: Laravel provides a simple way to protect your application from Cross-site request forgery (CSRF) attacks. Cross-site request forgery is a malicious attack that leverages the identity of an authenticated user to run unauthorized commands.

Implementation: Add the following sentence to the form: {{csrf_field()}}. See the code

for details. The essence is: adding a token value to the form; input type="hidden" name="_token" value="SqlDhf...a string of random characters String "

The principle is: Check whether the token value of the form is legal, if it is legal, it will pass, otherwise it will not pass

<form method="POST" action="/profile">
    {{ csrf_field() }}
    ...
</form>

2. How to write the post request method in routing?

is the post method: Route::post('check',"LoginController@check");

3. How to implement the put request in routing?

Route writing method: Route's put method: Route::put('put','LoginController@put');

Controller writing method: This is the writing method of the basic controller

The request page sets the request type to put: input type="hidden" name="_method" value="put"

Writing in routing

// put请求

Route::get(&#39;putWeb&#39;,&#39;LoginController@putWeb&#39;);

// put的处理页面
Route::put(&#39;put&#39;,&#39;LoginController@put&#39;);

Controller writing

// put请求页面

public function putWeb(){

    return view(&#39;putWeb&#39;);
}

// put请求处理页面
public function put(Request $request){
    dd($request->input());
}

Request page writing

<form action="put" method="post">
    <p>
        {{csrf_field()}}

        <input type="hidden" name="_method" value="put">
        User:
        <input type="text" name="user" id="">
    </p>
</form>

4. How can one page in Laravel implement multiple request methods (I can get the page data, and the user can use the search box to post requests)?

match (specified request) :Route::match(['get','post'],'/',"IndexController@index ");

Controller code:Determine whether the user is making a post request, if so, output the user's search, otherwise output the data normally displayed on the page

any (all requests) :Route::any('/',"IndexController@index");

5, Laravel Usage examples and implementation of resource routing (more commonly used in actual projects)?

Example: There are many modules in the background, User module, management module, etc. (add, delete, modify, check): Write it directly in the routing A lot of trouble

Route::get(&#39;user/index&#39;,&#39;UserController@index&#39;);
Route::get(&#39;user/add&#39;,&#39;UserController@add&#39;);
Route::get(&#39;user/edit&#39;,&#39;UserController@edit&#39;);
Route::post(&#39;user/insert&#39;,&#39;UserController@insert&#39;);
Route::post(&#39;user/update&#39;,&#39;UserController@update&#39;);
Route::get(&#39;user/del&#39;,&#39;UserController@del&#39;);

Implementation: resource method: Route::resource('Admin','IndexController');

| GET|HEAD  | Admin              | Admin.index   | App\Http\Controllers\IndexController@index   | web          | #展示页面

| POST      | Admin              | Admin.store   | App\Http\Controllers\IndexController@store   | web          | #添加操作

| GET|HEAD  | Admin/create       | Admin.create  | App\Http\Controllers\IndexController@create  | web          | #添加页面

| DELETE    | Admin/{Admin}      | Admin.destroy | App\Http\Controllers\IndexController@destroy | web          | #删除操作

| PUT|PATCH | Admin/{Admin}      | Admin.update  | 
App\Http\Controllers\IndexController@update  | web          | #更新操作

| GET|HEAD  | Admin/{Admin}      | Admin.show    | App\Http\Controllers\IndexController@show    | web          |

| GET|HEAD  | Admin/{Admin}/edit | Admin.edit    | App\Http\Controllers\IndexController@edit    | web          | #修改页面

| GET|HEAD  | api/user           |               | Closure                                      | api,auth:api |

6. How to take parameters and multiple parameters in routing?

Parameters in braces: Route::get('user/del/{id}',function($ id){ echo $id##; });

Multiple parameters: Route::get('UserInfo/

{name}/{sex}',function($name,$sex){ echo $name; echo $ sex; });

Parameters that may or may not be included:

Question mark default value:Route::get('user/ edit/{id?}',function($id="default value"){ echo $id; }); : With a default value, it is guaranteed to have a value when there are no parameters.

7. How to access the parameters in the route in the controller?

Directly pass in the parameters, there is no value in $_GET

Route::get(&#39;UserInfo/{name}/{sex}&#39;,"IndexController@UserInfo");

// 新建UserInfo
public function UserInfo($a,$sex1){
  var_dump($a);
  var_dump($sex1);
}

8、命名路由是什么以及作用?

是什么:就是给路由命名

实现:Route::get('abc',"IndexController@abc")->name('one');

作用:获取别名的url地址:控制器中:route('one');可以到以one为别名的控制器中

作用:通过命名路由实现重定向(实现重定向的一种方式):控制器中:return redirect()->route('one');

9、路由组命名空间的作用以及实现?

实现前后台控制器分离:需要在控制器目录下新建Admin目录和Home目录 在目录中新建控制器

在Route的group方法指定命名空间:Route::group(['namespace'=>'Admin'],function(){

在Admin中的控制器要写好命名空间,并且继承控制器要use到控制器

//路由中代码
Route::group([&#39;namespace&#39;=>&#39;Admin&#39;],function(){
    Route::get(&#39;admin&#39;,&#39;IndexController@index&#39;);
    Route::get(&#39;admin/user&#39;,&#39;UserController@index&#39;);
    Route::get(&#39;admin/goods&#39;,&#39;GoodsController@index&#39;);
});

Route::group([&#39;namespace&#39;=>&#39;Home&#39;],function(){
    Route::get(&#39;/&#39;,&#39;IndexController@index&#39;);
});
#需要在控制器目录下新建Admin目录和Home目录 在目录中新建控制器
#注意 需要修改命名空间

控制器中代码
<?php

    namespace App\Http\Controllers\Admin;

    use Illuminate\Http\Request;

    use DB;

    use App\Http\Controllers\Controller;

    class UserController extends Controller
    {
        //index 方法

        public function index(){

            echo "我是后台控制器User";
        }

    }

相关推荐:最新的五个Laravel视频教程

The above is the detailed content of laravel has several routes. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
laravel单点登录方法详解laravel单点登录方法详解Jun 15, 2022 am 11:45 AM

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

一起来聊聊Laravel的生命周期一起来聊聊Laravel的生命周期Apr 25, 2022 pm 12:04 PM

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

laravel中guard是什么laravel中guard是什么Jun 02, 2022 pm 05:54 PM

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

laravel中asset()方法怎么用laravel中asset()方法怎么用Jun 02, 2022 pm 04:55 PM

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

实例详解laravel使用中间件记录用户请求日志实例详解laravel使用中间件记录用户请求日志Apr 26, 2022 am 11:53 AM

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

laravel中间件基础详解laravel中间件基础详解May 18, 2022 am 11:46 AM

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

laravel的fill方法怎么用laravel的fill方法怎么用Jun 06, 2022 pm 03:33 PM

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

laravel路由文件在哪个目录里laravel路由文件在哪个目录里Apr 28, 2022 pm 01:07 PM

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

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
Repo: How To Revive Teammates
1 months agoBy尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
4 weeks agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

MinGW - Minimalist GNU for Windows

MinGW - Minimalist GNU for Windows

This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

MantisBT

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.

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),