2

我们有多个使用 @Mixin 注释的 Grails 2.0.3 域类

像这样:

@Mixin(PremisesMixin)
class Clinic { 
    Premises premises
    String name
    ....

它真的很好用!

在尝试更新到 2.2.2 时,mixin 似乎不起作用。我们使用fixtures插件来引导一些数据,在启动过程中,我们得到了与不存在的mixins注入的getter和setter相关的错误。

我确实发现在较新版本的 grails 中,groovy mixins 存在一些问题,但是有一个 Grails 特定的替代品http://jira.grails.org/browse/GRAILS-9901

但改为

@grails.util.Mixin(PremisesMixin)
class Clinic { ...

给出其他错误。

Getter for property 'fax' threw exception; nested exception is java.lang.reflect.InvocationTargetException

那么有没有办法在最新版本的 grails 中利用 Grails 域类上的 mixin,或者我是否需要重构我的代码以避免它们?

更新: src/groovy 中的场所 mixin 如下所示:

class PremisesMixin implements Serializable {
private static final long serialVersionUID = 1L

static fields = ['addressLine1', 'addressLine2', 'city', 'county', 'state', 'postalCode', 'plus4', 'phone', 'latitude', 'longitude']

String getAddressLine1() { premises?.addressLine1 }
void setAddressLine1(String addressLine1) { premises?.addressLine1 = addressLine1 }

String getAddressLine2() { premises?.addressLine2 }
void setAddressLine2(String addressLine2) { premises?.addressLine2 = addressLine2 }

String getCity() { premises?.city }
void setCity(String city) { premises?.city = city }

...

String getPhone() { premises?.phone }
void setPhone(String phone) { premises?.phone = phone }

String getFax() { premises?.fax }
void setFax(String fax) { premises?.fax = fax }
    
    ...
    
    // Workaround for open Groovy bug with Mixins https://issues.apache.org/jira/browse/GROOVY-3612
String toString() {
    this as String
}
}

和前提看起来像这样:

class Premises {
String addressLine1
String addressLine2
String city
String state
    ...
    
String county
String phone
String fax

Double latitude
Double longitude
}
4

1 回答 1

1

它在 Grails 2.2.2 中适用于我,设置如下:

@grails.util.Mixin(PremisesMixin)
class Clinic {
    String name

    static constraints = {
    }
}

class Premises {
    String fax

    static constraints = {
        fax nullable: true
    }
}

class PremisesMixin {
    //Without this a runtime error is thrown, 
    //like property 'premises' not found in Clinic.
    Premises premises

    void setFax(String fax) {
        premises?.fax = fax
    }
    String getFax() { 
        premises?.fax 
    }
}

//Test Case
def clinic = new Clinic(name: "TestClinic")
clinic.premises = new Premises().save(flush: true, failOnError: true)
clinic.fax = "123456"

clinic.save(flush: true, failOnError: true)

Clinic.list().each{assert it.fax == '123456'}
Premises.list().each{assert it.fax == '123456'}

2.2.x 版本的转换逻辑Mixin尚未修改,尽管我在master分支中看到对其进行了修改,但变化很小(使用了通用类文字)。

几个问题:
1.premises在 mixin 类中如何访问?我没有看到它在 Mixin 类中的定义。2.实际上你什么时候遇到错误,run-app或者在创建过程中Clinic(类似于上面测试中所做的)?

于 2013-05-25T05:30:56.593 回答