3

在 Groovy 中,我可以通过猴子修补元类的方法使对象像函数一样可调用call

myObject.metaClass.call = { "hello world" }
println myObject() // prints "hello world"

修补call只允许我调用不带参数的对象。有没有办法允许使用标准函数式语法使用参数调用对象?


编辑:一个答案与 tim_yates 建议的完全一样,尽管从 ataylor 的评论中值得注意的是,您可以call在没有显式元编程的情况下简单地覆盖:

class MyType {
    def call(...args) {
        "args were: $args"
    }
}

def myObject = new MyType()
println myObject("foo", "bar") // prints 'args were ["foo", "bar"]'

显然,诀窍是使用...args.

4

1 回答 1

7

你可以这样做:

myObject.metaClass.call = { ...args -> "hello $args" }
assert myObject( 'one', 'two', 'three' ) == 'hello [one, two, three]'

(如您所见,args 是一个对象数组)

或者对于一个参数:

myObject.metaClass.call = { who -> "hello $who" }

或者,如果您希望将该单个参数作为可选参数,您可以执行以下操作:

myObject.metaClass.call = { who = null -> "hello ${who ?: 'world'}" }

assert myObject( 'tim' ) == 'hello tim'
assert myObject() == 'hello world'
于 2012-11-20T16:01:41.500 回答