- [使用 ES6 的语法继承该类](#%E4%BD%BF%E7%94%A8-es6-%E7%9A%84%E8%AF%AD%E6%B3%95%E7%BB%A7%E6%89%BF%E8%AF%A5%E7%B1%BB)
- [使用普通方式继承该类](#%E4%BD%BF%E7%94%A8%E6%99%AE%E9%80%9A%E6%96%B9%E5%BC%8F%E7%BB%A7%E6%89%BF%E8%AF%A5%E7%B1%BB)
think.controller.rest
继承自 think.controller.base,用来处理 Rest 接口。
export default class extends think.controller.rest {
}
module.exports = think.controller('rest', {
})
标识此 controller 对应的是 Rest 接口。如果在 init
方法里将该属性设置为 false
,那么该 controller 不再是一个 Rest 接口。
获取 method 方式。默认从 http method 中获取,但有些客户端不支持发送 DELETE, PUT 类型的请求,所以可以设置为从 GET 参数里获取。
export default class extends think.controller.rest {
init(http){
super.init(http);
//设置 _method,表示从 GET 参数获取 _method 字段的值
//如果没有取到,则从 http method 中获取
this._method = '_method';
}
}
当前 Rest 对应的 Resource 名称。
资源 ID
资源对应 model 的实例。
可以在魔术方法 __before
中进行字段过滤、分页、权限校验等功能。
export default class extends think.controller.rest{
__before(){
//过滤 password 字段
this.modelInstance.field('password', true);
}
}
获取资源数据,如果有 id,拉取一条,否则拉取列表。
//方法实现,可以根据需要修改
export default class extends think.controller.rest {
async getAction(){
let data;
if (this.id) {
let pk = await this.modelInstance.getPk();
data = await this.modelInstance.where({[pk]: this.id}).find();
return this.success(data);
}
data = await this.modelInstance.select();
return this.success(data);
}
}
添加数据
//方法实现,可以根据需要修改
export default class extends think.controller.rest {
async postAction(){
let pk = await this.modelInstance.getPk();
let data = this.post();
delete data[pk];
if(think.isEmpty(data)){
return this.fail('data is empty');
}
let insertId = await this.modelInstance.add(data);
return this.success({id: insertId});
}
}
删除数据
//方法实现,可以根据需要修改
export default class extends think.controller.rest {
async deleteAction(){
if (!this.id) {
return this.fail('params error');
}
let pk = await this.modelInstance.getPk();
let rows = await this.modelInstance.where({[pk]: this.id}).delete();
return this.success({affectedRows: rows});
}
}
更新数据
//方法实现,可以根据需要修改
export default class extends think.controller.rest {
async putAction(){
if (!this.id) {
return this.fail('params error');
}
let pk = await this.modelInstance.getPk();
let data = this.post();
delete data[pk];
if (think.isEmpty(data)) {
return this.fail('data is empty');
}
let rows = await this.modelInstance.where({[pk]: this.id}).update(data);
return this.success({affectedRows: rows});
}
}
找不到方法时调用
export default class extends think.controller.rest {
__call(){
return this.fail(think.locale('ACTION_INVALID', this.http.action, this.http.url));
}
}