我有一个正在工作的聊天室回送项目,该项目也利用Socket.IO。
一旦我创建了一条消息(POST到回送REST API),我就需要包含“创建者”关系的响应。
使用GET时,此方法工作正常,但我无法包含与POST响应的关系。
我确定这是一个简单的远程挂钩,但是我被卡住了...
非常感谢您的帮助!
"relations": {
"creator": {
"type": "belongsTo",
"model": "Person",
"foreignKey": "",
"options": {
"nestRemoting": true
}
},
"event": {
"type": "belongsTo",
"model": "Event",
"foreignKey": "",
"options": {
"nestRemoting": true
}
}
},
答案 0 :(得分:0)
有两种方法可以使用Loopback 2.x
或3.x
进行操作(不确定Loopback 4.x)。
假设我们具有以下"Note"
模型:
{
"name": "Note",
"properties": {
"title": {
"type": "string",
"required": true
},
"content": {
"type": "string"
},
"userId": {
"type": "number"
}
},
"relations": {
"user": {
"type": "belongsTo",
"model": "User",
"foreignKey": "userId"
}
}
}
现在,当您"user"
(belongsTo
)注释时,在响应中包含Note
属性(这是create
的{{1}}关系)有两个选择。
选项1 (推荐):创建一个custom remote method并在模型的脚本文件中隐藏默认方法。在这种情况下,您的POST
文件应类似于:
note.js
我建议使用此选项,因为通过最小化环回模型的默认逻辑即可实现所需的功能,即,所有默认方法(如create,upsert等)仍然具有默认行为。
选项2 :使用“保存后” operation hook(此方法要小心,因为它会更改create,upsert,upsertWithWhere和其他默认方法的工作方式)
在这种情况下,您的note.js文件应类似于:
module.exports = function (Note) {
// Hide the default 'create' remote method
Note.disableRemoteMethod('create', true);
// Add a custom 'customCreate' remote method
Note.remoteMethod('customCreate', {
description: 'Create a new instance of the model and persist it into the data source.',
accessType: 'WRITE',
accepts: [
{
arg: 'data',
type: 'object',
model: 'Note',
allowArray: true,
description: 'Model instance data',
http: { source: 'body' },
},
{ arg: 'options', type: 'object', http: 'optionsFromRequest' },
],
returns: { arg: 'data', type: 'Note', root: true },
http: { verb: 'post', path: '/' },
isStatic: true,
});
Note.customCreate = function (data, options, cb) {
Note.create(data, options, function(err, newObj) {
if (err) {
cb(err);
}
else {
// here we try to load the user value
newObj.user(function (err, user) {
if (user) {
// if we found a user we add it to __data, so it appears in the output (a bit hacky way)
newObj.__data.user = user;
}
cb(err, newObj);
});
}
});
};
};
第二个选项的代码更少,但是正如我之前提到的,您应该非常小心地使用它,因为它会更改模型的默认“创建”方法的行为。即每次调用Model.create,Model.upsert等都会执行module.exports = function (Note) {
Note.observe('after save', function (ctx, next) {
ctx.instance.user(function (err, user) {
ctx.instance.__data.user = user;
next();
});
});
};
操作。当您在'after save'
挂钩中添加其他选择查询时,也会降低这些操作的速度。