我有 3 个表命名:
customers
columns are: id, customer_full_name
transaction_details
columns are: id, customer_id, amount, merchant_id
merchants
columns are: id, merchant_full_name
transaction_details
表包含 customer_id
和 merchant_id
两个外键。一个客户可能有多个交易。一个商家也可能有多项交易。
情况:
商户登录网站查看属于该商户的交易明细。我想显示的是一个包含以下列的表格:
a. Transaction ID
b. Customer Name
c. Transaction Amount
我的代码如下:
Merchant.findAll({
where: {
id:req.session.userId,
},
include:[{
model:TransactionDetails,
required: false
}]
}).then(resultDetails => {
var results = resultDetails;
});
我上面的代码没有给我想要的结果。我怎样才能解决这个问题 ?
最佳答案
你需要的是 belongsToMany
关联,以防你还没有定义它。这是例子
const Customer = sequelize.define('customer', {
username: Sequelize.STRING,
});
const Merchant = sequelize.define('merchant', {
username: Sequelize.STRING,
});
Customer.belongsToMany(Merchant, { through: 'CustomerMerchant' });
Merchant.belongsToMany(Customer, { through: 'CustomerMerchant' });
sequelize.sync({ force: true })
.then(() => {
Customer.create({
username: 'customer1',
merchants: {
username: 'merchant1'
},
}, { include: [Merchant] }).then((result) => {
Merchant.findAll({
include: [{
model: Customer
}],
}).then((result2) => {
console.log('done', result2);
})
})
});
现在
result2
具有所有值。 Customer
数据可以在result2[0].dataValues.customers[0].dataValues
。 CustomerMerchant
数据可在 result2[0].dataValues.customers[0].CustomerMerchant
获得关于node.js - 如何使用 Sequelize 连接 3 个表?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/50627068/