我在关系数据库中使用Knex.js。目前正在尝试进行相对简单的连接,不涉及别名。
knex('tools_users')
.select('*').from('tools_users')
.innerJoin('users', 'users.id', 'tools_users.user_id')
.innerJoin('tools', 'tools.id', 'tools_users.tool_id')
.where('users.id', userId)
.andWhere('tools.id', toolId)
.andWhere('tools_users.current_durability', '>', 0)
.first()
.decrement('tools_users.current_durability', durabilityUsed)
.then(() => {
console.log('tool updated');
})
.catch((err) => {
console.error(err);
});
console.error(err)
产生此错误:error: missing FROM-clause entry for table "users"
我在网上其他地方找到的每个解决方案都表明这是一个别名问题。我虽然没有使用任何别名。不知道还有什么可做的。 我发现github repo上的knex问题尚无定论。
答案 0 :(得分:1)
Knex不支持加入更新查询的数据,因此您必须进行两次单独的查询...这些内容(我没有测试查询,因此可能存在拼写错误):
knex('tools_users')
.innerJoin('users', 'users.id', 'tools_users.user_id')
.innerJoin('tools', 'tools.id', 'tools_users.tool_id')
.where('users.id', userId)
.andWhere('tools.id', toolId)
.andWhere('tools_users.current_durability', '>', 0)
.first()
.then((tool_user) => {
return knex('tool_user').where('id', tool_user.id)
.decrement('current_durability', durabilityUsed);
})
.then(() => {
console.log('tool updated');
})
.catch((err) => {
console.error(err);
});
或带子查询的单个查询
knex('tools_users')
.decrement('current_durability', durabilityUsed)
.whereIn('id', (subQueryBuilder) => {
subQueryBuilder
.from('tools_users')
.select('id')
.innerJoin('users', 'users.id', 'tools_users.user_id')
.innerJoin('tools', 'tools.id', 'tools_users.tool_id')
.where('users.id', userId)
.andWhere('tools.id', toolId)
.andWhere('tools_users.current_durability', '>', 0)
.limit(1);
})
.then(() => {
console.log('tool updated');
})
.catch((err) => {
console.error(err);
});