本文实例讲述了Laravel框架处理用户的请求操作。分享给大家供大家参考,具体如下:
1、请求对象Request
Request中包含了用户请求的一些信息,使用该对象首先需要use Illuminate\Http\Request类,之后在参数中传入该对象,
public static function getRequest(Request $request) { //获取请求类型 echo "请求类型" . $request->method() . "<br/>"; //判断请求类型 if ($request->isMethod('POST')){} //请求的url echo "url:" . $request->url(); //判断请求路径是否匹配 if ($request->is('*/index')) echo '这是主页'; //获取请求中的值 if ($request->has('val')) { var_dump($request->input('val')); } }
2、响应对象Response
通过return语句可以对响应作出返回,当return一个数组时,laravel会自动将其转化为JSON格式,如果需要将某个数据转化为JSON可以使用response()->json():
return response()->json($data);
response()方法支持自定义状态码与响应头:
return response($data, 200) ->header('Content-Type', 'text/plain');
response()->download($path,$name)使浏览器下载指定路径的文件:
return response()->download(storage_path('app/photo/test.jpg'), '测试图片.jpg');
3、重定向
通过redirect()函数来实现页面的重定向
//重定向到命名路由,带参数 return redirect()->route('redirect',['name'=>'tory']); //重定向到路由,带一次性Session return redirect('redirect')->with('msg','redirect'); //重定向到controller return redirect()->action('Login@redirect'); //重定向到上一界面 return redirect()->back();
通过with可以将数据通过session传给页面,之后通过Session::get('msg')来获取数据,这也是两个页面之间跳转时数据传递较为安全的方法。
4、中间件
Laravel提供了中间件机制用于对用户的请求request进行过滤,并在返回response之前进行处理。这种机制在nodeJS的express框架中也有,被成为拦截器,对用户的请求先进行过滤再转发到应用Application。中间件文件存放在app/Http/Middleware目录下,其中包括认证、CSRF保护中间价等。比如认证验证中间件会验证用户是否经过认证(如登录),如果用户没有经过认证,中间件会将用户重定向到登录页面,而如果用户已经经过认证,中间件就会允许请求继续往前进入下一步操作。