Table of Contents
What are the common routes in Laravel
1. What is the security measure of Lararel's CSRF protection form?
2. How to write the post request method in routing?
3. How to implement the put request in routing?
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)?
5, Laravel Usage examples and implementation of resource routing (more commonly used in actual projects)?
6. How to take parameters and multiple parameters in routing?
7. How to access the parameters in the route in the controller?
8、命名路由是什么以及作用?
9、路由组命名空间的作用以及实现?
Home PHP Framework Laravel laravel has several routes

laravel has several routes

Sep 02, 2021 pm 12:11 PM
laravel routing

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);
Copy after login

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>
Copy after login

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;);
Copy after login

Controller writing

// put请求页面

public function putWeb(){

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

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

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>
Copy after login

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;);
Copy after login

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 |
Copy after login

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);
}
Copy after login

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";
        }

    }
Copy after login

相关推荐:最新的五个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 of this Website
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

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 ago By 尊渡假赌尊渡假赌尊渡假赌
Hello Kitty Island Adventure: How To Get Giant Seeds
1 months ago By 尊渡假赌尊渡假赌尊渡假赌
Two Point Museum: All Exhibits And Where To Find Them
1 months ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

PHP vs. Flutter: The best choice for mobile development PHP vs. Flutter: The best choice for mobile development May 06, 2024 pm 10:45 PM

PHP and Flutter are popular technologies for mobile development. Flutter excels in cross-platform capabilities, performance and user interface, and is suitable for applications that require high performance, cross-platform and customized UI. PHP is suitable for server-side applications with lower performance and not cross-platform.

How to use object-relational mapping (ORM) in PHP to simplify database operations? How to use object-relational mapping (ORM) in PHP to simplify database operations? May 07, 2024 am 08:39 AM

Database operations in PHP are simplified using ORM, which maps objects into relational databases. EloquentORM in Laravel allows you to interact with the database using object-oriented syntax. You can use ORM by defining model classes, using Eloquent methods, or building a blog system in practice.

Analysis of the advantages and disadvantages of PHP unit testing tools Analysis of the advantages and disadvantages of PHP unit testing tools May 06, 2024 pm 10:51 PM

PHP unit testing tool analysis: PHPUnit: suitable for large projects, provides comprehensive functionality and is easy to install, but may be verbose and slow. PHPUnitWrapper: suitable for small projects, easy to use, optimized for Lumen/Laravel, but has limited functionality, does not provide code coverage analysis, and has limited community support.

Laravel - Artisan Commands Laravel - Artisan Commands Aug 27, 2024 am 10:51 AM

Laravel - Artisan Commands - Laravel 5.7 comes with new way of treating and testing new commands. It includes a new feature of testing artisan commands and the demonstration is mentioned below ?

Comparison of the latest versions of Laravel and CodeIgniter Comparison of the latest versions of Laravel and CodeIgniter Jun 05, 2024 pm 05:29 PM

The latest versions of Laravel 9 and CodeIgniter 4 provide updated features and improvements. Laravel9 adopts MVC architecture and provides functions such as database migration, authentication and template engine. CodeIgniter4 uses HMVC architecture to provide routing, ORM and caching. In terms of performance, Laravel9's service provider-based design pattern and CodeIgniter4's lightweight framework give it excellent performance. In practical applications, Laravel9 is suitable for complex projects that require flexibility and powerful functions, while CodeIgniter4 is suitable for rapid development and small applications.

How do the data processing capabilities in Laravel and CodeIgniter compare? How do the data processing capabilities in Laravel and CodeIgniter compare? Jun 01, 2024 pm 01:34 PM

Compare the data processing capabilities of Laravel and CodeIgniter: ORM: Laravel uses EloquentORM, which provides class-object relational mapping, while CodeIgniter uses ActiveRecord to represent the database model as a subclass of PHP classes. Query builder: Laravel has a flexible chained query API, while CodeIgniter’s query builder is simpler and array-based. Data validation: Laravel provides a Validator class that supports custom validation rules, while CodeIgniter has less built-in validation functions and requires manual coding of custom rules. Practical case: User registration example shows Lar

PHP code unit testing and integration testing PHP code unit testing and integration testing May 07, 2024 am 08:00 AM

PHP Unit and Integration Testing Guide Unit Testing: Focus on a single unit of code or function and use PHPUnit to create test case classes for verification. Integration testing: Pay attention to how multiple code units work together, and use PHPUnit's setUp() and tearDown() methods to set up and clean up the test environment. Practical case: Use PHPUnit to perform unit and integration testing in Laravel applications, including creating databases, starting servers, and writing test code.

Laravel vs CodeIgniter: Which framework is better for large projects? Laravel vs CodeIgniter: Which framework is better for large projects? Jun 04, 2024 am 09:09 AM

When choosing a framework for large projects, Laravel and CodeIgniter each have their own advantages. Laravel is designed for enterprise-level applications, offering modular design, dependency injection, and a powerful feature set. CodeIgniter is a lightweight framework more suitable for small to medium-sized projects, emphasizing speed and ease of use. For large projects with complex requirements and a large number of users, Laravel's power and scalability are more suitable. For simple projects or situations with limited resources, CodeIgniter's lightweight and rapid development capabilities are more ideal.

See all articles