6

我在返回 url 的域类中有静态方法。我需要动态构建该网址,但 g.link 不起作用。

static Map options() {
    // ...
    def url = g.link( controller: "Foo", action: "bar" )
    // ...
}

我收到以下错误:

Apparent variable 'g' was found in a static scope but doesn't refer to a local variable, static field or class. Possible causes:
You attempted to reference a variable in the binding or an instance variable from a static context.
You misspelled a classname or statically imported field. Please check the spelling.
You attempted to use a method 'g' but left out brackets in a place not allowed by the grammar.
 @ line 17, column 19.
           def url = g.link( controller: "Foo", action: "bar" )
                     ^

1 error

显然我的问题是我试图g从静态上下文访问,那么我该如何解决这个问题?

4

2 回答 2

9

g对象是一个标记库,它在域类中不可用,就像在控制器中一样。您可以通过grailsApplication此处所示的方法来了解它:如何在域类中将 Taglib 作为函数调用

在 Grails 2+ 中执行此操作的更好方法是通过grailsLinkGenerator服务,如下所示:

def grailsLinkGenerator

def someMethod() {
    def url = grailsLinkGenerator.link(controller: 'foo', action: 'bar')
}

在这两种情况下,您都需要做一些额外的工作才能从静态上下文中获取grailsApplication/ 。最好的方法可能是从你的域类grailsLinkGenerator的属性中获取它:domainClass

def grailsApplication = new MyDomain().domainClass.grailsApplication
def grailsLinkGenerator = new MyDomain().domainClass.grailsApplication.mainContext.grailsLinkGenerator
于 2012-06-25T19:21:29.940 回答
6

如果您使用的是 Grails 2.x,则可以使用 LinkGenerator API。这是一个示例,我正在重新使用我之前测试过的域类,因此请忽略与 URL 无关的功能。

class Parent {
    String pName

    static hasMany = [children:Child]

    static constraints = {
    }
    static transients = ['grailsLinkGenerator']

    static Map options() {
        def linkGen = ContextUtil.getLinkGenerator();
        return ['url':linkGen.link(controller: 'test', action: 'index')]
    }
}

具有静态方法的实用程序类

@Singleton
class ContextUtil implements ApplicationContextAware {
    private ApplicationContext context

    void setApplicationContext(ApplicationContext context) {
        this.context = context
    }

    static LinkGenerator getLinkGenerator() {
        getInstance().context.getBean("grailsLinkGenerator")
    }

}

新实用程序 Bean 的 Bean Def

beans = {
    contextUtil(ContextUtil) { bean ->
        bean.factoryMethod = 'getInstance'
    }
}

如果您需要基本 URL,请添加absolute:true到链接调用。

于 2012-06-25T19:19:50.250 回答