作者:书友62908490 | 来源:互联网 | 2013-07-22 14:40
Yii控制器基本的执行单位为action,通常情况下,在Controller类中定义一个actionMe的函数,那么当访问me这个action时(参考Yii分析5:路由管理类UrlManager和Yii分析7:runController的执行),会
Yii控制器基本的执行单位为action,通常情况下,在Controller类中定义一个actionMe的函数,那么当访问me这个action时 (参考Yii分析5:路由管理类UrlManager和Yii分析7:runController的执行),会自动执行actionMe方法。在实际的项 目中,如果Controller有多个action,那么如果把所有的action处理逻辑都写在Controller中,那么这个Controller 类会异常的大,不利于后期维护,我们可以通过覆盖actions方法,配置action map把不通action分散到各个类中去处理:
public function actions(){ return array( ‘action1’=>array( ‘class’=>’path.to.actionclass1’, ‘property’=>’’, ), ‘action2’=>array( ‘class’=>’path.to.actionclass2’, ‘property’=>’’, ), ); }
1
2
3
4
5
6
7
8
9
10
11
12
|
public function actions(){
return array(
‘action1’=>array(
‘class’=>’path.to.actionclass1’,
‘property’=>’’,
),
‘action2’=>array(
‘class’=>’path.to.actionclass2’,
‘property’=>’’,
),
);
}
|
定义了上述配置数组之后,对于一个名为’deal’的action,Controller会首先去找是否有actionDeal这个方法,如果没有再去判 断actions返回值数组是否有key为deal的值,进而用配置的类来处理,这个action类至少要有一个run方法(不一定要继承CAction 类),来执行相应的处理逻辑,否则会报fatal error。
虽然这个action类只要有run方法就可以,不一定要继承CAction类,但是还是推荐大家使用CAction类,一方面保持框架的完整性,一方面不能访问调用他的Controller。CAction的代码很简单:
//这是一个抽象类 abstract class CAction extends CComponent implements IAction { private $_id; private $_controller; /** * 构造函数,用于父类创建action类,同时将controler作为参数保存在成员中 * @param CController $controller the controller who owns this action. * @param string $id id of the action. */ public function __construct($controller,$id) { $this->_cOntroller=$controller; $this->_id=$id; } /** * @return CController 返回拥有这个action的controller */ public function getController() { return $this->_controller; } /** * @return 返回action的id */ public function getId() { return $this->_id; } }
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
|
//这是一个抽象类
abstract class CAction extends CComponent implements IAction
{
private $_id;
private $_controller;
/**
* 构造函数,用于父类创建action类,同时将controler作为参数保存在成员中
* @param CController $controller the controller who owns this action.
* @param string $id id of the action.
*/
public function __construct($controller,$id)
{
$this->_cOntroller=$controller;
$this->_id=$id;
}
/**
* @return CController 返回拥有这个action的controller
*/
public function getController()
{
return $this->_controller;
}
/**
* @return 返回action的id
*/
public function getId()
{
return $this->_id;
}
}
|