Slick 3:如何删除和接收具有某些关系的集合

Slick 3: how to drop and take on collections with some relations

我正在使用 Play! Scala 2.4 和 Slick 3。 我有如下多对多关系:

  class Artists(tag: Tag) extends Table[Artist](tag, "artists") {
    def id = column[Long]("artistid", O.PrimaryKey, O.AutoInc)
    def name = column[String]("name")

     def * = (id.?, name) <> ((Artist.apply _).tupled, Artist.unapply)
  }

关系table:

  class ArtistsGenres(tag: Tag) extends Table[ArtistGenreRelation](tag, "artistsgenres") {
    def artistId = column[Long]("artistid")
    def genreId = column[Int]("genreid")

    def * = (artistId, genreId) <> ((ArtistGenreRelation.apply _).tupled, ArtistGenreRelation.unapply)

    def aFK = foreignKey("artistid", artistId, artists)(_.id, onDelete = ForeignKeyAction.Cascade)
    def bFK = foreignKey("genreid", genreId, genres)(_.id, onDelete = ForeignKeyAction.Cascade)
  }

和第三个table:

 class Genres(tag: Tag) extends Table[Genre](tag, "genres") {
    def id = column[Int]("genreid", O.PrimaryKey, O.AutoInc)
    def name = column[String]("name")

    def * = (id.?, name) <> ((Genre.apply _).tupled, Genre.unapply)
  }

到现在为止,我只想通过流派名称获取所有艺术家(以及他们的流派):

  def findAllByGenre(genreName: String, offset: Int, numberToReturn: Int): Future[Seq[ArtistWithGenre]] = {
    val query = for {
      genre <- genres if genre.name === genreName
      artistGenre <- artistsGenres if artistGenre.genreId === genre.id
      artist <- artists joinLeft
        (artistsGenres join genres on (_.genreId === _.id)) on (_.id === _._1.artistId)

      if artist._1.id === artistGenre.artistId
    } yield artist


    db.run(query.result) map { seqArtistAndOptionalGenre => 
        ArtistsAndOptionalGenresToArtistsWithGenres(seqArtistAndOptionalGenre)
    }
  }

ArtistsAndOptionalGenresToArtistsWithGenres 方法按艺术家对响应进行分组。这就像一个魅力。现在我想限制从数据库中获取的艺术家数量。

但我没能正确使用灵活的函数 takedrop:确实如我的查询 returns 艺术家和关系列表,如果我添加 take.result 之前我没有收到我想要的艺术家数量(取决于艺术家的关系数量)。

在我按艺术家对结果进行分组之后我可以放弃并接受,但我在这里看到一个问题:SGBDR 不会优化请求,即我会得到所有艺术家(可能很多) , 继续进行 groupBy 并在采取一点而不是限制 groupBy 之前返回的艺术家数量。

我找到了以下解决方案(有 2 个查询但有 1 个数据库调用):

def findAllByGenre(genreName: String, offset: Int, numberToReturn: Int): Future[Seq[ArtistWithWeightedGenres]] = {
    val query = for {
      genre <- genres.filter(_.name === genreName)
      artistGenre <- artistsGenres.filter(_.genreId === genre.id)
      artist <- artists.filter(_.id === artistGenre.artistId)

    } yield artist

    val artistsIdFromDB = query.drop(offset).take(numberToReturn) map (_.id)

    val query2 = for {
      artistWithGenres <- artists.filter(_.id in artistsIdFromDB) joinLeft
        (artistsGenres join genres on (_.genreId === _.id)) on (_.id === _._1.artistId)
    } yield artistWithGenres

    db.run(query2.result) map { seqArtistAndOptionalGenre =>
      ArtistsAndOptionalGenresToArtistsWithGenres(seqArtistAndOptionalGenre)
    } map(_.toVector)
  }

如果谁有更好的解决方案...