我有一个名为 Category 的实体,它与自身有关系。有两种类型的类别,父类别和子类别。子类别在 idParent 属性中具有来自父类别的 id。
我以这种方式定义了架构
class CategoriesTable(tag: Tag) extends Table[Category](tag, "CATEGORIES") {
def id = column[String]("id", O.PrimaryKey)
def name = column[String]("name")
def idParent = column[Option[String]]("idParent")
def * = (id, name, idParent) <> (Category.tupled, Category.unapply)
def categoryFK = foreignKey("category_fk", idParent, categories)(_.id.?)
def subcategories = TableQuery[CategoriesTable].filter(_.id === idParent)
}
我有这些数据:
id name idParent
------------------------------
parent Parent
child1 Child1 parent
child2 Child2 parent
现在我想在按父类别分组的地图中获取结果,例如
地图( (parent,Parent,None) -> Seq[(child1,Child1,parent),(child2,Child2,parent] )
为此,我尝试了以下查询:
def findChildrenWithParents() = {
db.run((for {
c <- categories
s <- c.subcategories
} yield (c,s)).sortBy(_._1.name).result)
}
如果此时我执行查询:
categoryDao.findChildrenWithParents().map {
case categoryTuples => categoryTuples.map(println _)
}
我明白了:
(Category(child1,Child1,Some(parent)),Category(parent,Parent,None))
(Category(child2,Child2,Some(parent)),Category(parent,Parent,None))
这里有两个事实已经让我感到不安:
- 它返回 Future[Seq[Category, Category]] 而不是我期望的 Future[Seq[Category, Seq[Category]]] 。
顺序是颠倒的,我希望父级首先出现:
(Category(parent,Parent,None),Category(child1,Child1,Some(parent))) (Category(parent,Parent,None),Category(child2,Child2,Some(parent)))
现在我会尝试将它们分组。因为我在 Slick 中遇到嵌套查询问题。我对结果执行分组,如下所示:
categoryDao.findChildrenWithParents().map {
case categoryTuples => categoryTuples.groupBy(_._2).map(println _)
}
但结果真的是一团糟:
(Category(parent,Parent,None),Vector((Category(child1,Child1,Some(parent)),Category(parent,Parent,None),(Category(child2,Child2,Some(parent)),Category(parent,Parent,None))))
我本来期望:
(Category(parent,Parent,None),Vector(Category(child1,Child1,Some(parent)),Category(child2,Child2,Some(parent))))
你能帮我解决倒置的结果和分组吗?
提前致谢。