Laravel框架中的路由和控制器操作实例分析

本文实例讲述了Laravel框架中的路由和控制器操作。分享给大家供大家参考,具体如下:

路由

  • 简介:
    • 将用户的请求转发给相应的程序进行处理
    • 作用:建立url和程序之间的映射
    • 请求类型:get、post、put、patch、delete
    • 目录:app/http/routes.php
  • 基本路由:接收单种请求类型
//get请求
Route::get('hello1',function(){
 return 'hello world';
})

//post请求
Route::post('hello2',function(){
 return 'hello world';
})

  • 多请求路由:接收多种请求类型
//get、post请求
//match用来匹配指定请求的类型
Route::match(['get','post'],'mulity',function(){
   return 'mulity request';
})
//any匹配所有类型的请求
Route::any('mulity2',function(){
   return 'mulity2 request';
})

  • 路由参数
Route::get('user/{id}', function ($id) {
    return 'User '.$id;});
Route::get(‘user/{name?}',function($name = null){
Return ‘name'.$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(['id' => '[0-9]+', 'name' => '[a-z]+']);

  • 路由别名
Route::get('user/profile', ['as' => 'profile', function () {
   //}]);

  • 路由群组
//路由前缀
Route::group(['prefix' => 'admin'], function () {
   Route::get('users', function () {
    // Matches The "/admin/users" URL  });});

  • 路由输出视图
Route::get('/', function () {
    return view('welcome');
  });

控制器

  • 简介
    • 将请求逻辑交由控制类处理,而不是都交给一个routes.php文件
    • 控制器可以将相应的php请求逻辑集合到一个类中
    • 存放位置app/Http/Controllers
  • 基础控制器:在laravel中,默认所有的控制器都继承了控制器基类
<?php
  //使用命名空间
  namespace App\Http\Controllers;
  use App\User;
  use App\Http\Controllers\Controller;
  class UserController extends Controller
  {
    /**
  * 显示指定用户的个人信息
  * 
  * @param int $id
  * @return Response
  */
  public function showProfile($id)
  {
    return view('user.profile', ['user' => User::findOrFail($id)]);
  }
  }


      

内容版权声明:除非注明,否则皆为本站原创文章。

转载注明出处:http://www.heiqu.com/3891.html