0

我有一个带有两个域的脚手架 Grails 应用程序,Person 和 Course。Person 属于 Course,Course 有很多 Person。我已经修改了课程的 show.gsp 以列出与所选课程相关的所有人员。

我遇到的问题是显示给定课程中所有人员的列表没有显示数据库中姓氏重复的人员。例如,如果我有 4 个人:“John Doe”、“Jane Doe”、“Joe Doe”、“Edward Smith”,那么列表将只显示:

  • 简·多伊
  • 爱德华·史密斯

然而,所有 4 个人都存在于数据库中。此外,/person/list 将显示所有名称。所以问题只在于与课程相关的人员列表。请参阅下面的相关代码。有什么想法吗?

个人域:

class Person implements Comparable {

    static mapping = { sort lastName: "asc" }

    // Needed to sort association in Course domain (due to Grails bug)
    int compareTo(obj) {
        lastName.compareToIgnoreCase( obj.lastName );
    }

    String firstName
    String lastName
    String email

    Course course

    static belongsTo = [ course:Course ]

    static constraints = {
        firstName size: 1..50, blank: false
        lastName size: 1..50, blank: false
        email email: true
        course()
        firstName(unique: ['lastName', 'email'])
    }

    String toString() {
        return this.lastName + ", " + this.firstName;
    }
}

课程领域:

class Course {

    int maxAttendance
    SortedSet persons

    static hasMany = [ persons:Person ]

    static mapping = {
        persons cascade:"all-delete-orphan"
    }

    def getExpandablePersonList() {
        return LazyList.decorate(persons,FactoryUtils.instantiateFactory(Person.class))
    }

    static constraints = {
        maxAttendance size: 1..3, blank: false
    }
}

为课程修改 show.gsp:

<g:if test="${courseInstance?.persons}">
                <br />
                <table>
                    <thead>
                        <tr>
                            <th>#</th>
                            <g:sortableColumn property="person"
                                title="${message(code: 'person.lastName.label', default: 'Person')}" />

                        </tr>
                    </thead>
                    <tbody>
                        <g:set var="counter" value="${1}" />
                        <g:each in="${courseInstance.persons}" status="i" var="p">
                            <tr class="${(i % 2) == 0 ? 'even' : 'odd'}">
                                <td>
                                    ${counter}
                                </td>
                                <td class="property-value" aria-labelledby="persons-label"><g:link
                                        controller="person" action="show" id="${p.id}">
                                        ${p?.encodeAsHTML()}</td>

                            </tr>
                            <g:set var="counter" value="${counter + 1}" />
                        </g:each>
                    </tbody>
                </table>
            </g:if>
4

1 回答 1

2

您已使用 SortedSet 进行关联,并且 Person'scompareTo认为具有相同姓氏的两个人是相同的,因此第二个和后续具有相同姓氏的人不会首先添加到集合中。

于 2013-02-17T19:54:36.947 回答