6

我有一个看起来像这样的表:

id    name      shade        date_created
----  -----    -------      ---------------
1     Red       bright        10-28-2012
2     Orange    light         10-28-2012
3     Red       <null>        10-24-2013
4     Orange    light         10-24-2013

期望的结果:

id    name   value    date_created
----  -----  ------   ---------
3     Red    <null>   10-24-2013
4     Orange light    10-24-2013

我可以用 GORM 做什么来得到这个结果?

在纯 sql 中,这是让我得到所需结果的查询:

SELECT t.name, t.shade, r.MaxTime
FROM (SELECT name, MAX(date_created) as MaxTime
      FROM colorable
      GROUP BY name) r
INNER JOIN colortable t ON t.name = r.name AND t.date_created = r.MaxTime

我试过的:

    def c = Color.createCriteria()
    def results = c {
        projections {
            groupProperty("name")
            max("dateCreated")
        }
    }

但我不知道如何从投影中获取更多列?即shade

4

1 回答 1

8

如果您使用的是 Grails 2.0 或更高版本,则可以使用分离的条件执行此操作:

def colors = Color.withCriteria {
    eq "dateCreated", new grails.gorm.DetachedCriteria(Color).build {
        projections {
            min "dateCreated"
        }
    }

    projections {
        property "name"
        property "shade"
        property "dateCreated"
    }
}

类的显式使用DetachedCriteria有点难看,但还不错。此查询也应该可以用作 Where 查询,但似乎存在一个错误,这意味着您不能将 '==' 与聚合函数一起使用。修复错误后,您应该能够执行以下操作:

def colors = Color.where {
    dateCreated == max(dateCreated)
}.property("name").property("shade").property("dateCreated").list()

请注意,将 '==' 替换为 '<' 效果很好。

于 2013-01-24T11:34:51.767 回答