5

我在对象中的对象中有一个对象的路径,我想使用 Groovy 的动态功能来设置它。通常,您只需执行以下操作即可:

class Foo {
  String bar
}


Foo foo = new Foo
foo."bar" = 'foobar'

这行得通。但是如果你有嵌套对象呢?就像是:

class Foo {
  Bar bar
}

class Bar {
  String setMe
}

现在我想使用动态设置,但是

Foo foo = new Foo()
foo."bar.setMe" = 'This is the string I set into Bar'

返回一个 MissingFieldException。

有什么提示吗?

更新:感谢蒂姆为我指明了正确的方向,那里的初始代码在检索属性方面效果很好,但我需要使用路径字符串设置值。

这是我从蒂姆建议的页面中得出的结论:

  def getProperty(object, String propertyPath) {
    propertyPath.tokenize('.').inject object, {obj, prop ->
      obj[prop]
    }
  }

  void setProperty(Object object, String propertyPath, Object value) {
    def pathElements = propertyPath.tokenize('.')
    Object parent = getProperty(object, pathElements[0..-2].join('.'))
    parent[pathElements[-1]] = value
  }
4

1 回答 1

1

以下工作正常。

foo."bar"."setMe" = 'This is the string I set into Bar';

如果不覆盖 getProperty,您可以使用 GString 的“${}”语法获得相同的结果,如下面的代码所示

class Baz {
    String something
}

class Bar {

    Baz baz

}

class Foo {
    Bar bar
}

def foo = new Foo()
foo.bar = new Bar()
foo.bar.baz = new Baz()

def target = foo
def path = ["bar", "baz"]
for (value in path) {
    target = target."${value}"
}

target."something" = "someValue"
println foo.bar.baz.something

最终 println 按预期打印“someValue”

于 2013-03-26T07:57:56.660 回答