我编写了一个简单的计数器,使用Anorm更新了MySQL数据库表。我希望交易是原子的。我认为最好的方法是将所有SQL字符串连接在一起并执行一个查询,但这对于Anorm似乎是不可能的。相反,我将每个选择,更新和提交放在单独的行上。这行得通,但我不禁以为他们一定是更好的方法。

private def incrementHitCounter(urlName:String) {
  DB.withConnection { implicit connection =>
    SQL("start transaction;").executeUpdate()
    SQL("select @hits:=hits from content_url_name where url_name={urlName};").on("urlName" -> urlName).apply()
    SQL("update content_url_name set hits = @hits + 1 where url_name={urlName};").on("urlName" -> urlName).executeUpdate()
    SQL("commit;").executeUpdate()
  }
}

有人可以看到更好的方法吗?

最佳答案

像这样使用withTransaction而不是withConnection:

private def incrementHitCounter(urlName:String) {
  DB.withTransaction { implicit connection =>
    SQL("select @hits:=hits from content_url_name where url_name={urlName};").on("urlName" -> urlName).apply()
    SQL("update content_url_name set hits = @hits + 1 where url_name={urlName};").on("urlName" -> urlName).executeUpdate()
  }
}

为什么还要在这里使用交易?这也应该工作:
private def incrementHitCounter(urlName:String) {
  DB.withConnection { implicit connection =>
    SQL("update content_url_name set hits = (select hits from content_url_name where url_name={urlName}) + 1 where url_name={urlName};").on("urlName" -> urlName).executeUpdate()
  }
}

09-07 08:43