我在使用 sequelize js 从数据库中检索数据时遇到问题。我是 NODEJS 的新手。我不知道 Promise 和 Promise.all 是否内置在函数中所以我在我的代码中也安装并要求 npm 承诺。下面是我的代码。
var Promise = require('promise');
var user_profile = new Promise(function(resolve, reject) {
db.user_profile.findOne({
where: {
profile_id: new_profile_id
}
}).then(user => {
console.log('Summary Result User found.');
resolve(user);
});
});
var all_reports = new Promise(function(resolve, reject) {
db.report.all().then(reports => {
console.log('Summary Result Reports found.');
resolve(reports);
});
});
var report_details = new Promise(function(resolve, reject) {
db.report_detail.findAll({
where: {
profile_id: new_profile_id
}
}).then(report_details => {
console.log('Summary Result Report Details found');
resolve(report_details);
});
});
var all_promises = Promise.all([user_profile, all_reports, report_details]).then(function(data) {
console.log('**********COMPLETE RESULT****************');
console.log(data);
}).catch(err => {
console.log('**********ERROR RESULT****************');
console.log(err);
});
我想获取所有三个查询的数据。当我单独运行它们时,我得到数据,但是当我在 Promise 中运行它们时,我只得到user_profile数据,其他两个仍然未定义我也尝试用 .then 嵌套这些查询,但结果仍然相同,我只得到一个查询数据,另外两个仍未定义
然后链接
var results = [];
var new_profile_id = req.params.profile_id;
console.log(new_profile_id);
db.user_profile.findOne({
where: {
profile_id: new_profile_id
}
}).then(user => {
console.log('Summary Result User found.');
results.push(user.dataValues);
return user;
}).then(user => {
db.report.all().then(reports => {
console.log('Summary Result Reports found.');
results.push(reports.dataValues);
return reports
});
}).then(reports => {
db.report_detail.findAll({
where: {
profile_id: new_profile_id
}
}).then(report_details => {
console.log('Summary Result Report Details found');
results.push(report_details.dataValues);
console.log('**********COMPLETE RESULT****************');
console.log(results);
console.log('**********COMPLETE RESULT****************');
return report_details;
});
});
有人可以在这个概念上帮助我做错了什么。谢谢
Node.js 已经原生支持 Promise
,Sequelize
也是如此。这意味着无需单独要求promise
。
以下代码基于您的代码。
const user_profile = db.user_profile.findOne({
where: {
profile_id: new_profile_id
}
});
const all_reports = db.report.all();
const report_details = db.report_detail.findAll({
where: {
profile_id: new_profile_id
}
});
Promise
.all([user_profile, all_reports, report_details])
.then(responses => {
console.log('**********COMPLETE RESULTS****************');
console.log(responses[0]); // user profile
console.log(responses[1]); // all reports
console.log(responses[2]); // report details
})
.catch(err => {
console.log('**********ERROR RESULT****************');
console.log(err);
});
请注意,没有必要用Promise
包装 Sequelize 调用,因为 Sequelize 已经返回了承诺。这样,您只需要在最近Promise.all()
中有一个在所有呼叫中都缺少的catch
。这意味着,如果任何调用失败,将永远不会调用相应的resolve
。反过来,这意味着最后的Promise.all()
也永远不会被调用。这就是为什么最好在最后处理一次所有错误,除非有一些自定义错误处理要求。