跟我学Laravel之路由
本文主要介绍了Lavarvel框架的路由的相关概念以及示例,非常的实用,有需要的朋友可以参考下
基本路由
应用中的大多数路都会定义在 app/routes.php 文件中。最简单的Laravel路由由URI和闭包回调函数组成。
基本 GET 路由
复制代码 代码如下:
Route::get('/', function()
{
return 'Hello World';
});
基本 POST 路由
复制代码 代码如下:
Route::post('foo/bar', function()
{
return 'Hello World';
});
注册一个可以响应任何HTTP动作的路由
复制代码 代码如下:
Route::any('foo', function()
{
return 'Hello World';
});
仅支持HTTPS的路由
复制代码 代码如下:
Route::get('foo', array('https', function()
{
return 'Must be over HTTPS';
}));
实际开发中经常需要根据路由生成 URL,URL::to方法就可以满足此需求:
$url = URL::to('foo');
路由参数
复制代码 代码如下:
Route::get('user/{id}', function($id)
{
return 'User '.$id;
});
可选路由参数
复制代码 代码如下:
Route::get('user/{name?}', function($name = null)
{
return $name;
});
带有默认值的可选路由参数
复制代码 代码如下:
Route::get('user/{name?}', function($name = 'John')
{
return $name;
});
用正则表达式限定的路由参数
复制代码 代码如下:
Route::get('user/{name}', function($name)
{
//
})
->where('name', '[A-Za-z]+');
Route::get('user/{id}', function($id)
{
//
})
->where('id', '[0-9]+');
传递参数限定的数组
当然,必要的时候你还可以传递一个包含参数限定的数组作为参数:
复制代码 代码如下:
Route::get('user/{id}/{name}', function($id, $name)
{
//
})
->where(array('id' => '[0-9]+', 'name' => '[a-z]+'))
定义全局模式
如果希望在全局范围用指定正则表达式限定路由参数,可以使用 pattern 方法:
复制代码 代码如下:
Route::pattern('id', '[0-9]+');
Route::get('user/{id}', function($id)
{
// Only called if {id} is numeric.
});
访问路由参数
如果想在路由范围外访问路由参数,可以使用 Route::input 方法:
复制代码 代码如下:
Route::filter('foo', function()
{
if (Route::input('id') == 1)
{
//
}
});
路由过滤器
路由过滤器提供了非常方便的方法来限制对应用程序中某些功能访问,例如对于需要验证才能访问的功能就非常有用。Laravel框架自身已经提供了一些过滤器,包括 auth过滤器、auth.basic过滤器、guest过滤器以及csrf过滤器。这些过滤器都定义在app/filter.php文件中。
定义一个路由过滤器
复制代码 代码如下:
Route::filter('old', function()
{
if (Input::get('age')
{
return Redirect::to('home');
}
});
如果从路由过滤器中返回了一个response,那么该response将被认为对应的是此次request,路由将不会被执行,并且,此路由中所有定义在此过滤器之后的代码也都不会被执行。
为路由绑定过滤器
复制代码 代码如下:
Route::get('user', array('before' => 'old', function()
{
return 'You are over 200 years old!';
}));
将过滤器绑定为控制器Action
复制代码 代码如下:
Route::get('user', array('before' => 'old', 'uses' => 'UserController@showProfile'));
为路由绑定多个过滤器
复制代码 代码如下:
Route::get('user', array('before' => 'auth|old', function()
{
return 'You are authenticated and over 200 years old!';
}));
指定过滤器参数
复制代码 代码如下:
Route::filter('age', function($route, $request, $value)
{
//
});
Route::get('user', array('before' => 'age:200', function()
{
return 'Hello World';
}));
所有其后的过滤器将接收到 $response作为第三个参数:
复制代码 代码如下:
Route::filter('log', function($route, $request, $response, $value)
{
//
});
基于模式的过滤器
你也可以指针对URI为一组路由指定过滤器。
复制代码 代码如下:
Route::filter('admin', function()
{
//
});
Route::when('admin/*', 'admin');
上述案例中,admin过滤器将会应用到所有以admin/开头的路由中。星号是通配符,将会匹配任意多个字符的组合。
还可以针对HTTP动作限定模式过滤器:
复制代码 代码如下:
Route::when('admin/*', 'admin', array('post'));
过滤器类
过滤器的高级用法中,,还可以使用类来替代闭包函数。由于过滤器类是通过IoC container实现解析的,所有,你可以在这些过滤器中利用依赖注入(dependency injection)的方法实现更好的测试能力。
定义一个过滤器类
复制代码 代码如下:
class FooFilter {
public function filter()
{
// Filter logic...
}
}
注册过滤器类
复制代码 代码如下:
Route::filter('foo', 'FooFilter');
命名路由
重定向和生成URL时,使用命名路由会更方便。你可以为路由指定一个名字,如下所示:
复制代码 代码如下:
Route::get('user/profile', array('as' => 'profile', function()
{
//
}));
还可以为 controller action指定路由名称:
复制代码 代码如下:
Route::get('user/profile', array('as' => 'profile', 'uses' => 'UserController@showProfile'));
现在,你可以使用路由名称来创建URL和重定向:
复制代码 代码如下:
$url = URL::route('profile');
$redirect = Redirect::route('profile');
可以使用currentRouteName方法来获取当前运行的路由名称:
复制代码 代码如下:
$name = Route::currentRouteName();
路由组
有时你可能需要为一组路由应用过滤器。使用路由组就可以避免单独为每个路由指定过滤器了:
复制代码 代码如下:

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

Notepad++7.3.1
Easy-to-use and free code editor

SublimeText3 Chinese version
Chinese version, very easy to use

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

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

Hot Topics

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.

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.

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 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 ?

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.

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 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.

For beginners, CodeIgniter has a gentler learning curve and fewer features, but covers basic needs. Laravel offers a wider feature set but has a slightly steeper learning curve. In terms of performance, both Laravel and CodeIgniter perform well. Laravel has more extensive documentation and active community support, while CodeIgniter is simpler, lightweight, and has strong security features. In the practical case of building a blogging application, Laravel's EloquentORM simplifies data manipulation, while CodeIgniter requires more manual configuration.
