本文实例讲述了Laravel框架路由与MVC。分享给大家供大家参考,具体如下:
路由的作用就是将用户的不同url请求转发给相应的程序进行处理,laravel的路由定义在routes文件夹中,默认提供了四个路由文件,其中web.php文件定义基本页面请求。
最基本的路由请求是get与post请求,laravel通过Route对象来定义不同的请求方式。例如定义一个url为'req'的get请求,返回字符串‘get response':
Route::get('req',function (){ return 'get response'; });
当我以get的方式请求http://localhost/Laravel/laravel52/public/req时,返回如下:
同理,当定义post请求时,使用Route::post(url,function(){});
如果希望对多种请求方式采用相同的处理,可以使用match或any:
使用match来匹配对应的请求方式,例如当以get或post请求req2时,都返回match response:
Route::match(['get','post'],'req2',function (){ return 'match response'; });
any会匹配任意请求方式,例如以任意方式请求req3,返回any response:
Route::any('req3',function (){ return 'any response'; });
必选参数:当以带参数的形式发送请求时,可以在路由中进行接收,用大括号将参数括起,用/分割,例如:
Route::get('req4/{name}/{age}', function ($name, $age) { return "I'm {$name},{$age} years old."; });
以get请求时将参数传递,结果如下:
可选参数:以上的参数是必须的,如果缺少某一个参数就会报错,如果希望某个参数是可选的,可以为它加一个?,并设置默认值,默认参数必须为最后一个参数,否则放中间没法识别:
Route::get('req4/{name}/{age?}', function ($name, $age=0) { return "I'm {$name},{$age} years old."; });
正则校验:可以通过where对请求中的参数进行校验
Route::get('req4/{name}/{age?}', function ($name, $age=0) { return "I'm {$name},{$age} years old."; })->where(['name'=>'[A-Za-z]+','age'=>'[0-9]+']);
有时我们的路由可能有多个层级,例如定义一级路由home,其下有二级路由article,comment等,这就需要将article与comment放到home这个群组中。通过数组键prefix为路由article添加前缀home:
Route::group(['prefix' => 'home'], function () { Route::get('article', function () { return 'home/article'; }); });
这样通过home/article就可以访问到该路由了。
有时需要给路由起个名字,需要在定义路由时使用as数组键来指定路由名称。例如将路由home/comment命名为comment,在生成url与重定向时就可以使用路由的名字comment:
Route::get('home/comment',['as'=>'comment',function(){ return route('comment'); //通过route函数生成comment对应的url }]);
输出为http://localhost/Laravel/laravel52/public/home/comment
route路由只对请求进行分配跳转,具体的业务逻辑则需要由控制器来处理,控制器一般封装成为一个php类。控制器的文件一般放在app/Http/Controlers文件夹下。例如新建一个LoginController类继承自Controller,定义checkLog方法回应登录请求,