我的类别可以包含子类别
当我在做findAll时,我想要包括所有嵌套的,但我不知道深度。
var includeCondition = {
include: [
{
model: models.categories,
as:'subcategory', nested: true
}]
};
models.categories.findAll(includeCondition)
.then(function (categories) {
resolve(categories);
})
.catch(function (err) {
reject(err);
})
});
结果只给我一个级别的嵌套include。
[
{
dataValues:{
},
subcategory:{
model:{
dataValues:{
}
// no subcategory here
}
}
}
]
我可以以某种方式使sequalize包括那些嵌套的子类别吗?
答案 0 :(得分:3)
这是 ihoryam 针对 ES6 的答案,使用 async/await
、箭头函数 () =>
和 Sequelize ORM 来获取数据,而不是使用 Lodash。
const getSubCategoriesRecursive = async (category) => {
let subCategories = await models.category.findAll({
where: {
parentId: category.id
},
raw : true
});
if (subCategories.length > 0) {
const promises = [];
subCategories.forEach(category => {
promises.push(getSubCategoriesRecursive(category));
});
category['subCategories'] = await Promise.all(promises);
}
else category['subCategories'] = [];
return category;
};
异步函数返回承诺,你不需要精确return new promise(...)
答案 1 :(得分:2)
如果找到这个,很少有解决方案 第一个更复杂但会提供更好的表现:
这是关于在MySQL中实现分层数据结构 我喜欢这里的指南
http://mikehillyer.com/articles/managing-hierarchical-data-in-mysql/
名为嵌套集模型的那个。
我自己实际实现的第二个解决方案是递归扩展,这个使用了很多mysql请求,我相信可以改进,但它是一个快速的并且运行良好。事情就是像这样使用每个类别的功能
var expandSubcategories = function (category) {
return new promise(function (resolve, reject) {
category.getSubcategories().then(function (subcategories) {
//if has subcategories expand recursively inner subcategories
if (subcategories && subcategories.length > 0) {
var expandPromises = [];
_.each(subcategories, function (subcategory) {
expandPromises.push(expandSubcategories(subcategory));
});
promise.all(expandPromises).then(function (expandedCategories) {
category.subcategories = [];
_.each(expandedCategories, function (expandedCategory) {
category.subcategories.push(expandedCategory);
}, this);
//return self with expanded inner
resolve(category);
});
} else {
//if has no subcategories return self
resolve(category);
}
});
});
};
因此,它会通过类别并递归扩展它们。
也许这对某些人也有帮助。
答案 2 :(得分:0)
有一个处理它的节点模块:sequelize-hierarchy
它将列 parentId 和 hierarchyLevel 添加到表中。
例如,这就是我在树上订购员工技能的方法。
技能可以是“ 宏”->“ Excel ”->“ 办公室”->“ 计算机”
database.js:
const Sequelize = require('sequelize');
require('sequelize-hierarchy')(Sequelize);
const sequelize = new Sequelize("stackoverflow", null, null, {
dialect: "sqlite",
storage: "database.db"
});
sequelize.sync().then(() => {console.log("Database ready");});
module.exports = sequelize;
skill.js:
module.exports = (sequelize, DataTypes) => {
const Skill = sequelize.define("skill", {
name: DataTypes.STRING,
});
Skill.isHierarchy();
return Skill;
};
然后在您的控制器中:
Skill.findAll().then(skills => {
res.send(skills); // Return a list
});
Skill.findAll({ hierarchy: true }).then(skills => {
res.send(skills); // Return a tree
});
答案 3 :(得分:0)
假设您有5种不同的模型A,B,C,D,E,并且A与B,B与C相关联,依此类推。 因此,在获取A的数据时,您可以使用
获取所有嵌套的子类别层次结构 include: [{ all: true, nested: true }]
示例:
A.findAll(where:{// add conditions}, { include: [{ all: true, nested: true }]});