我有一对多的关系:
class Author {
String name
static hasMany = [books:Book]
static constraints = {
}
}
class Book {
String name
static belongsTo = [author:Author]
static constraints = {
}
}
我希望能够计算author类中属于作者的书籍数量,以使生成的生成的MySQL表如下所示:
id | version | name | bookcount
-- | ------- | ---- | ---------
1 | 0 | foo | 15
2 | 0 | bar | 3
3 | 0 | baz | 7
...其中bookcount是作者类中已定义的字段:
class Author {
String name
int bookcount = ??
static constraints = {
}
}
编辑1:
帐簿数量必须保留在数据库中。
最佳答案
您可以使用gorm events执行以下操作:
class Author {
String name
Integer bookCount = 0
static hasMany = [books:Book]
Integer getBookCount () {
books?.size () ?: 0
}
void beforeUpdate () {
bookCount = getBookCount ()
}
static constraints = {
}
}
在数据库中更新对象之前,将调用
beforeUpdate
方法。getBookCount()
属性getter确保我们始终获得正确的值。如果在添加更多Book
后仍未保存作者,则直到作者为bookCount
d为止,save()
不会是最新的。如果我们不使用代码中的
bookCount
,则可以内联它。def "explicitly persist book count" () {
given:
Author author = new Author(name:'author')
author.save (failOnError: true)
when:
author.addToBooks (new Book(name:'book'))
author.save (failOnError: true, flush: true)
then:
author.bookCount == 1
author.@bookCount == 1
}