发布于 2015-08-01 11:31:39 | 318 次阅读 | 评论: 0 | 来源: 网络整理
在创建资源类和指定资源格输出式化后,下一步就是创建控制器操作将资源通过RESTful APIs展现给终端用户。
Yii 提供两个控制器基类来简化创建RESTful 操作的工作:yiirestController 和 yiirestActiveController, 两个类的差别是后者提供一系列将资源处理成Active Record的操作。 因此如果使用Active Record内置的操作会比较方便,可考虑将控制器类 继承yiirestActiveController,它会让你用最少的代码完成强大的RESTful APIs.
yiirestController 和 yiirestActiveController 提供以下功能,一些功能在后续章节详细描述:
yiirestActiveController 额外提供一下功能:
index
, view
, create
, update
, delete
, options
;当创建一个新的控制器类,控制器类的命名最好使用资源名称的单数格式,例如,提供用户信息的控制器 可命名为UserController
.
创建新的操作和Web应用中创建操作类似,唯一的差别是Web应用中调用render()
方法渲染一个视图作为返回值, 对于RESTful操作直接返回数据,yiirestController::serializer 和 yiiwebResponse 会处理原始数据到请求格式的转换,例如
public function actionView($id)
{
return User::findOne($id);
}
yiirestController提供的大多数RESTful API功能通过过滤器实现. 特别是以下过滤器会按顺序执行:
这些过滤器都在yiirestController::behaviors()方法中声明, 可覆盖该方法来配置单独的过滤器,禁用某个或增加你自定义的过滤器。 例如,如果你只想用HTTP 基础认证,可编写如下代码:
use yiifiltersauthHttpBasicAuth;
public function behaviors()
{
$behaviors = parent::behaviors();
$behaviors['authenticator'] = [
'class' => HttpBasicAuth::className(),
];
return $behaviors;
}
ActiveController
如果你的控制器继承yiirestActiveController,应设置yiirestActiveController::modelClass 属性 为通过该控制器返回给用户的资源类名,该类必须继承yiidbActiveRecord.
yiirestActiveController 默认提供一下操作:
所有这些操作通过yiirestActiveController::actions() 方法申明,可覆盖actions()
方法配置或禁用这些操作, 如下所示:
public function actions()
{
$actions = parent::actions();
// 禁用"delete" 和 "create" 操作
unset($actions['delete'], $actions['create']);
// 使用"prepareDataProvider()"方法自定义数据provider
$actions['index']['prepareDataProvider'] = [$this, 'prepareDataProvider'];
return $actions;
}
public function prepareDataProvider()
{
// 为"index"操作准备和返回数据provider
}
请参考独立操作类的参考文档学习哪些配置项有用。
通过RESTful APIs显示数据时,经常需要检查当前用户是否有权限访问和操作所请求的资源, 在yiirestActiveController中,可覆盖yiirestActiveController::checkAccess()方法来完成权限检查。
/**
* Checks the privilege of the current user. 检查当前用户的权限
*
* This method should be overridden to check whether the current user has the privilege
* to run the specified action against the specified data model.
* If the user does not have access, a ForbiddenHttpException should be thrown.
* 本方法应被覆盖来检查当前用户是否有权限执行指定的操作访问指定的数据模型
* 如果用户没有权限,应抛出一个ForbiddenHttpException异常
*
* @param string $action the ID of the action to be executed
* @param yiibaseModel $model the model to be accessed. If null, it means no specific model is being accessed.
* @param array $params additional parameters
* @throws ForbiddenHttpException if the user does not have access
*/
public function checkAccess($action, $model = null, $params = [])
{
// 检查用户能否访问 $action 和 $model
// 访问被拒绝应抛出ForbiddenHttpException
}
checkAccess()
方法默认会被yiirestActiveController默认操作所调用,如果创建新的操作并想执行权限检查, 应在新的操作中明确调用该方法。
提示: 可使用Role-Based Access Control (RBAC) 基于角色权限控制组件实现
checkAccess()
。