11

私の結合は次のようになります。

def byIdWithImage = for {
    userId <- Parameters[Long]
    (user, image) <- Users leftJoin RemoteImages on (_.imageId === _.id) if user.id === userId
} yield (user, image)

しかし、user.imageIdがnullの場合、実行時にslickは失敗します

[SlickException: 列 RemoteImage.url の NULL 値を読み取る]

利回りの変更

} yield (user, image.?)

コンパイル時の例外が発生します。個々の列でのみ機能します

タイプ scala.slick.lifted.TypeMapper[image.type] の証拠パラメーターの暗黙的な値が見つかりませんでした

私がここでやろうとしていることを達成する別の方法はありますか? (単一のクエリで)

4

3 に答える 3

8

以下のコードでは、次のように記述できます。yield (user, image.maybe)

case class RemoteImage(id: Long, url: URL)

class RemoteImages extends Table[RemoteImage]("RemoteImage") {
    def id = column[Long]("id", O.PrimaryKey, O.AutoInc)
    def url = column[URL]("url", O.NotNull)
    def * = id.? ~ url <> (RemoteImage.apply _, RemoteImage.unapply _)

    def maybe = id.? ~ url.? <> (applyMaybe,unapplyBlank)

    val unapplyBlank = (c:Option[RemoteImage])=>None        

    val applyMaybe = (t: (Option[Long],Option[URL])) => t match {
        case (Some(id),Some(url)) => Some(RemoteImage(Some(id),url))
        case _ => None
    } 
}
于 2013-11-30T10:20:16.210 に答える
8

頭のてっぺんから、カスタム マップ プロジェクションを使用します。このようなもの:

case class RemoteImage(id: Long, url: URL)

def byIdWithImage = for {
    userId <- Parameters[Long]
    (user, image) <- Users leftJoin RemoteImages on (_.imageId === _.id) if user.id === userId
} yield (user, maybeRemoteImage(image.id.? ~ image.url.?))

def maybeRemoteImage(p: Projection2[Option[Long], Option[URL]]) = p <> ( 
  for { id <- _: Option[Long]; url <- _: Option[URL] } yield RemoteImage(id, url),
  (_: Option[RemoteImage]) map (i => (Some(i id), Some(i url)))
)

scalaz (およびそのApplicativeBuilder) を使用すると、ボイラープレートの一部を削減するのに役立つはずです。

于 2013-02-21T08:56:03.450 に答える