加载中...

请求对象


当前的请求对象由think\Request类负责,在很多场合下并不需要实例化调用,通常使用依赖注入即可。在其它场合(例如模板输出等)则可以使用think\facade\Request静态类操作。

[TOC=2,3]

请求对象调用

在控制器中通常情况下有两种方式进行依赖注入。

构造方法注入

  1. <?php
  2. namespace app\index\controller;
  3. use think\Request;
  4. class Index
  5. {
  6. /**
  7. * @var \think\Request Request实例
  8. */
  9. protected $request;
  10. /**
  11. * 构造方法
  12. * @param Request $request Request对象
  13. * @access public
  14. */
  15. public function __construct(Request $request)
  16. {
  17. $this->request = $request;
  18. }
  19. public function index()
  20. {
  21. return $this->request->param('name');
  22. }
  23. }

如果你继承了系统的控制器基类think\Controller的话,系统已经自动完成了请求对象的构造方法注入了,你可以直接使用$this->request属性调用当前的请求对象。

  1. <?php
  2. namespace app\index\controller;
  3. use think\Controller;
  4. class Index extends Controller
  5. {
  6. public function index()
  7. {
  8. return $this->request->param('name');
  9. }
  10. }

操作方法注入

另外一种选择是在每个方法中使用依赖注入。

  1. <?php
  2. namespace app\index\controller;
  3. use think\Controller;
  4. use think\Request;
  5. class Index extends Controller
  6. {
  7. public function index(Request $request)
  8. {
  9. return $request->param('name');
  10. }
  11. }

无论是否继承系统的控制器基类,都可以使用操作方法注入。

更多关于依赖注入的内容,请参考后续的依赖注入章节。

Facade调用

在没有使用依赖注入的场合,可以通过Facade机制来静态调用请求对象的方法(注意use引入的类库区别)。

  1. <?php
  2. namespace app\index\controller;
  3. use think\Controller;
  4. use think\facade\Request;
  5. class Index extends Controller
  6. {
  7. public function index()
  8. {
  9. return Request::param('name');
  10. }
  11. }

该方法也同样适用于依赖注入无法使用的场合。

助手函数

为了简化调用,系统还提供了request助手函数,可以在任何需要的时候直接调用当前请求对象。

  1. <?php
  2. namespace app\index\controller;
  3. use think\Controller;
  4. class Index extends Controller
  5. {
  6. public function index()
  7. {
  8. return request()->param('name');
  9. }
  10. }

还没有评论.