3

我使用Anorm进行数据库查询。当我做一个executeUpdate(),我应该如何做正确的错误处理?它有返回类型MayErr[IntegrityConstraintViolation,Int],这是 Set 还是 Map?

有一个例子,但我不明白我应该如何处理返回值:

val result = SQL("delete from City where id = 99").executeUpdate().fold( 
    e => "Oops, there was an error" , 
    c => c + " rows were updated!"
)

如何检查查询是否失败?(使用result),如果查询成功,我如何获得受影响的行数?

目前我使用这段代码:

SQL(
"""
INSERT INTO users (firstname, lastname) VALUES ({firstname}, {lastname})
"""
).on("firstname" -> user.firstName, "lastname" -> user.lastName)
    .executeUpdate().fold(
            e => "Oops, therw was an error",
            c => c + " rows were updated!"
)

但我不知道我的错误处理代码应该是什么样子。有没有关于如何使用 type 的返回值的例子MayErr[IntegrityConstraintViolation,Int]

4

2 回答 2

3

看起来像是MayErr在包装Either。所以它既不是 aMap也不是 a Set,而是一个可以包含两个不同类型对象之一的对象。

看一下这个问题,您会看到一些处理 Either 对象的方法,在这种情况下,该对象包含 IntegrityConstraintViolation 或 Int。参考http://scala.playframework.org/.../Scala$MayErr.html,看起来您可以通过引用 value 成员来获取 Either 对象e。似乎也有一个隐式转换可用,因此您可以将 aMayErr[IntegrityConstraintViolation,Int]视为Either[IntegrityConstraintViolation,Int]无需进一步的仪式。

于 2011-06-12T19:32:13.700 回答
2

你显然可以做一个

val updateResult = ....executeUpdate()
val success = updateResult.fold(e => false, c => true)

看起来你也可以打电话

val success = updateResult.isRight

更一般地说,您可以使用

updateResult.e match {
    case Left(error) => ... do something with error ...
    case Right(updateCount) => ...do something with updateCount...
}

也许更熟悉 Play 的人会解释为什么 scala.Either 被包裹在 MayErr 中?

于 2011-06-12T19:32:00.057 回答