我使用该pg-promise
库bluebird
进行相关查询。我有两个表,a 和 b,看起来像这样:
| a | | b |
|-------| |-------|
| a_id | | b_id |
| prop1 | | prop2 |
| b_a |
哪里b.b_a
是对 的引用a.a_id
。我想选择与给定匹配的所有条目prop1
,结果应包含所有匹配a
的 -rows 加上b
每个对应的 -rows a
。这应该可以通过两个相关查询来实现。两个查询都可能返回多个结果。
如果表a
只返回一行,我可以这样做:
function getResult(prop1) {
return db.task(function (t) {
return t.one("select * from a where prop1=$1", prop1)
.then(function (a) {
return t.batch([a, t.any("select * from b where b_a=$1", a.a_id)]);
})
.then(function (data) {
var a = data[0];
var bs = data[1];
bs.forEach(function (b) {
b.a = a;
});
return bs;
});
});
}
而且我还能够为多个-results获得所有匹配b
的 -entries,如下所示:a
function getResult(prop1) {
return db.task(function (t) {
return t.many("select * from a where prop1=$1", prop1)
.then(function (as) {
var queries = [];
as.forEach(function (a) {
queries.push(t.any("select * from b where b_a=$1", a.id));
});
return t.batch(queries); // could concat queries with as here, but there wouldn't be a reference which b row belongs to which a row
})
.then(function (data) {
// data[n] contains all matching b rows
});
});
}
但是如何将这两者结合在一起呢?