加载中...

重定向


重定向

可以使用redirect助手函数进行重定向

  1. <?php
  2. namespace app\index\controller;
  3. class Index
  4. {
  5. public function hello()
  6. {
  7. return redirect('http://www.thinkphp.cn');
  8. }
  9. }

redirect函数和控制器的redirect方法的参数顺序有所区别

重定向传参

如果是站内重定向的话,可以支持URL组装,有两种方式组装URL,第一种是直接使用完整地址(/打头)

  1. redirect('/index/index/hello/name/thinkphp');

这种方式会保持原来地址不做任何转换,第二种方式是使用params方法配合,例如:

  1. redirect('hello')->params(['name'=>'thinkphp']);

最终重定向的URL地址和前面的一样的,系统内部会自动判断并调用url(用于快速生成URL地址的助手函数)方法进行地址生成,或者使用下面的方法

  1. redirect('hello',['name'=>'thinkphp']);

还可以支持使用with方法附加Session闪存数据重定向。

  1. <?php
  2. namespace app\index\controller;
  3. class Index
  4. {
  5. public function index()
  6. {
  7. return redirect('hello')->with('name','thinkphp');
  8. }
  9. public function hello()
  10. {
  11. $name = session('name');
  12. return 'hello,'.$name.'!';
  13. }
  14. }

从示例可以看到重定向隐式传值使用的是Session闪存数据隐式传值,并且仅在下一次请求有效,再次访问重定向地址的时候无效。

记住请求地址

在很多时候,我们重定向的时候需要记住当前请求地址(为了便于跳转回来),我们可以使用remember方法记住重定向之前的请求地址。

下面是一个示例,我们第一次访问index操作的时候会重定向到hello操作并记住当前请求地址,然后操作完成后到restore方法,restore方法则会自动重定向到之前记住的请求地址,完成一次重定向的回归,回到原点!(再次刷新页面又可以继续执行)

  1. <?php
  2. namespace app\index\controller;
  3. class Index
  4. {
  5. public function index()
  6. {
  7. // 判断session完成标记是否存在
  8. if (session('?complete')) {
  9. // 删除session
  10. session('complete', null);
  11. return '重定向完成,回到原点!';
  12. } else {
  13. // 记住当前地址并重定向
  14. return redirect('hello')
  15. ->with('name', 'thinkphp')
  16. ->remember();
  17. }
  18. }
  19. public function hello()
  20. {
  21. $name = session('name');
  22. return 'hello,' . $name . '! <br/><a href="/index/index/restore">点击回到来源地址</a>';
  23. }
  24. public function restore()
  25. {
  26. // 设置session标记完成
  27. session('complete', true);
  28. // 跳回之前的来源地址
  29. return redirect()->restore();
  30. }
  31. }

还没有评论.