Action参数绑定功能提供了URL变量和操作方法的参数绑定支持,这一功能可以使得你的操作方法定义和参数获取更加清晰,也便于跨模块调用操作方法了。这一新特性对以往的操作方法使用没有任何影响,你也可以用新的方式来改造以往的操作方法定义。
Action 参数绑定的原理是把URL中的参数(不包括分组、模块和操作地址)和控制器的操作方法中的参数进行绑定。例如,我们给Blog模块定义了两个操作方法 read和archive方法,由于read操作需要指定一个id参数,archive方法需要指定年份(year)和月份(month)两个参数。
1 class BlogAction extends Action{
2 public function read($id){
3 echo 'id='.$id;
4 $Blog = M('Blog');
5 $Blog->find($id);
6 }
7
8 public function archive($year='2012',$mOnth='01'){
9 echo 'year='.$year.'&mOnth='.$month;
10 $Blog = M('Blog');
11 $year = $year;
12 $month = $month;
13 $begin_time = strtotime($year . $month . "01");
14 $end_time = strtotime("+1 month", $begin_time);
15 $map['create_time'] = array(array('gt',$begin_time),array('lt',$end_time));
16 $map['status'] = 1;
17 $list = $Blog->where($map)->select();
18 }
19 }
URL的访问地址分别是:
20 http://serverName/index.php/Blog/read/id/5
21 http://serverName/index.php/Blog/archive/year/2012/month/03
两个URL地址中的id参数和year和month参数会自动和read操作方法以及archive操作方法的同名参数绑定。
输出的结果依次是:
22 id=5
23 year=2012&mOnth=03
Action参数绑定的参数必须和URL中传入的参数名称一致,但是参数顺序不需要一致。也就是说
24 http://serverName/index.php/Blog/archive/month/03/year/2012
和上面的访问结果是一致的,URL中的参数顺序和操作方法中的参数顺序都可以随意调整,关键是确保参数名称一致即可。
如果用户访问的URL地址是(至于为什么会这么访问暂且不提):
25 http://serverName/index.php/Blog/read/
那么会抛出下面的异常提示:
参数错误:id
报错的原因很简单,因为在执行read操作方法的时候,id参数是必须传入参数的,但是方法无法从URL地址中获取正确的id参数信息。由于我们不能相信用户的任何输入,因此建议你给read方法的id参数添加默认值,例如:
26 public function read($id=0){
27 echo 'id='.$id;
28 $Blog = M('Blog');
29 $Blog->find($id);
30 }
这样,当我们访问
31 http://serverName/index.php/Blog/read/
的时候 就会输出
32 id=0
当我们访问
33 http://serverName/index.php/Blog/archive/
的时候,输出:
34 year=2012&mOnth=01