web-dev-qa-db-ja.com

Slick 3.0.0に存在しない場合は挿入

存在しない場合、挿入しようとしています この投稿 1.0.1、2.0が見つかりました。

.0.0のドキュメント でトランザクションを使用してスニペットを見つけました

val a = (for {
  ns <- coffees.filter(_.name.startsWith("ESPRESSO")).map(_.name).result
  _ <- DBIO.seq(ns.map(n => coffees.filter(_.name === n).delete): _*)
} yield ()).transactionally

val f: Future[Unit] = db.run(a)

この構造で存在しない場合、挿入からロジックを書くのに苦労しています。私はSlickを使い始めたばかりで、Scalaの経験はほとんどありません。これは、トランザクションの外部に存在しない場合に挿入しようとする私の試みです...

val result: Future[Boolean] = db.run(products.filter(_.name==="foo").exists.result)
result.map { exists =>  
  if (!exists) {
    products += Product(
      None,
      productName,
      productPrice
    ) 
  }  
}

しかし、これをトランザクションブロックに入れるにはどうすればよいですか?これは私が行くことができる最も遠いです:

val a = (for {
  exists <- products.filter(_.name==="foo").exists.result
  //???  
//    _ <- DBIO.seq(ns.map(n => coffees.filter(_.name === n).delete): _*)
} yield ()).transactionally

前もって感謝します

21
Ixx

これは私が思いついたバージョンです:

val a = (
    products.filter(_.name==="foo").exists.result.flatMap { exists => 
      if (!exists) {
        products += Product(
          None,
          productName,
          productPrice
        ) 
      } else {
        DBIO.successful(None) // no-op
      }
    }
).transactionally

ただし、少し不足しています。たとえば、挿入されたオブジェクトまたは既存のオブジェクトを返すと便利です。

完全を期すために、ここではテーブル定義を示します。

case class DBProduct(id: Int, uuid: String, name: String, price: BigDecimal)
class Products(tag: Tag) extends Table[DBProduct](tag, "product") {
  def id = column[Int]("id", O.PrimaryKey, O.AutoInc) // This is the primary key column
  def uuid = column[String]("uuid")
  def name = column[String]("name")
  def price = column[BigDecimal]("price", O.SqlType("decimal(10, 4)"))

  def * = (id, uuid, name, price) <> (DBProduct.tupled, DBProduct.unapply)
}
val products = TableQuery[Products]

私はマップされたテーブルを使用していますが、ソリューションはタプルにも機能しますが、小さな変更が必要です。

documentation に従って、IDをオプションとして定義する必要がないことにも注意してください。挿入操作では無視されます。

挿入操作にAutoInc列を含めると、データベースは適切な値を生成できるように、無視されます。

そしてここにメソッド:

def insertIfNotExists(productInput: ProductInput): Future[DBProduct] = {

  val productAction = (
    products.filter(_.uuid===productInput.uuid).result.headOption.flatMap { 
    case Some(product) =>
      mylog("product was there: " + product)
      DBIO.successful(product)

    case None =>
      mylog("inserting product")

      val productId =
        (products returning products.map(_.id)) += DBProduct(
            0,
            productInput.uuid,
            productInput.name,
            productInput.price
            )

          val product = productId.map { id => DBProduct(
            id,
            productInput.uuid,
            productInput.name,
            productInput.price
          )
        }
      product
    }
  ).transactionally

  db.run(productAction)
}

(このソリューションを紹介してくれた Google group thread のMatthew Pocockに感謝します)。

19
Ixx

単一のinsert ... if not existsクエリ。これにより、複数のデータベースラウンドトリップや競合状態が回避されます(分離レベルによっては、トランザクションが不十分な場合があります)。

def insertIfNotExists(name: String) = users.forceInsertQuery {
  val exists = (for (u <- users if u.name === name.bind) yield u).exists
  val insert = (name.bind, None) <> (User.apply _ tupled, User.unapply)
  for (u <- Query(insert) if !exists) yield u
}

Await.result(db.run(DBIO.seq(
  // create the schema
  users.schema.create,

  users += User("Bob"),
  users += User("Bob"),
  insertIfNotExists("Bob"),
  insertIfNotExists("Fred"),
  insertIfNotExists("Fred"),

  // print the users (select * from USERS)
  users.result.map(println)
)), Duration.Inf)

出力:

Vector(User(Bob,Some(1)), User(Bob,Some(2)), User(Fred,Some(3)))

生成されたSQL:

insert into "USERS" ("NAME","ID") select ?, null where not exists(select x2."NAME", x2."ID" from "USERS" x2 where x2."NAME" = ?)

これはgithubの完全な例です

24
dwickern

より完全に見えるソリューションに出会いました。 セクション3.1.7挿入に対するより詳細な制御Essential Slick本には例があります。

最後に、次のような結果が得られます。

  val entity = UserEntity(UUID.random, "jay", "jay@localhost")

  val exists =
    users
      .filter(
        u =>
          u.name === entity.name.bind
            && u.email === entity.email.bind
      )
      .exists
  val selectExpression = Query(
    (
      entity.id.bind,
      entity.name.bind,
      entity.email.bind
    )
  ).filterNot(_ => exists)

  val action = usersDecisions
    .map(u => (u.id, u.name, u.email))
    .forceInsertQuery(selectExpression)

  exec(action)
  // res17: Int = 1

  exec(action)
  // res18: Int = 0
2