1

2 つの単純なドメイン クラスがあるとします。

class A {
    String name

    static hasMany = [bs: B]
}

class B {
    String title
}

ここで、次のような構造のアイテムのリストを作成したいと思います。

// id of A instance, name of A instance, comma separated list of Bs titles associated to A istance
1, "A1", "B1, B2"
2, "A2", "B2, B5"
...

これを取得するための私の基準は次のとおりです。

def list = A.withCriteria {
    createAlias 'bs', 'bs', CriteriaSpecification.LEFT_JOIN

    projections {
        property 'id'
        property 'name'

        property 'bs.title' // this is the interesting line
    }
}

これは明らかに、私の A インスタンスに関連する B 要素の最初のタイトルのみを取得します。このような:

1, "A1", "B1"
2, "A2", "B2"
...

さて、実際のシナリオはもう少し複雑です。要点を説明するために単純化しました。つまり、bs タイトルに対して mysql group_concat と同じ効果を得るにはどうすればよいでしょうか?

1 つの基準でこれを実行しようとしていますが、それが不可能な場合は、別の解決策について検討させていただきます。

4

2 に答える 2

0

これは別の方法です

class A {
    String name
    static hasMany = [bs: B]

    def childrenString() {
        B.findAllByParent(this).collect{ it.title }.join(',')
    }
}

class B {
    static belongsTo = A
    A parent
    String title
    static constraints = {
    }
}

A.list().each  { it ->
    println "${it.name}, ${it.childrenString()}"
}
于 2013-06-27T01:59:43.320 に答える
0

これは、順序付きの実装と同じです。

    def list = A.withCriteria {
        createAlias 'bs', 'bs', CriteriaSpecification.LEFT_JOIN
        projections {
            property 'id'
            property 'name'
            property 'bs.title' // this is the interesting line
        }

        order "id", "asc"
        order "bs.title", "asc"
    }


    //Bootstrap
    def a = new A(name: "TestA1").save()
    def a1 = new A(name: "TestA2").save()

    def b1 = new B(title: "TitleB1")
    def b2 = new B(title: "TitleB2")
    def b3 = new B(title: "TitleB3")

    def b4 = new B(title: "TitleB4")
    def b5 = new B(title: "TitleB5")

    [b1, b2, b3].each{a.addToBs(it)}
    [b2, b4, b5].each{a1.addToBs(it)}

    [a, a1]*.save(flush: true, failOnError: true)

groupBy を使用すると、組み合わせごとにキーと値のペアを取得できます。

//This can be optimized
list.groupBy({[it[0], it[1]]})

//Would give
[[1, TestA1]:[[1, TestA1, TitleB1], [1, TestA1, TitleB2], [1, TestA1, TitleB3]], 
 [2, TestA2]:[[2, TestA2, TitleB2], [2, TestA2, TitleB4], [2, TestA2, TitleB5]]
]
于 2013-06-26T16:53:40.840 に答える