我有这段代码:
String buildCatalog(Catalog catalog) {
def writer = new StringWriter()
def xml = new MarkupBuilder(writer)
xml.catalog(xmlns:'http://www.sybrium.com/XMLSchema/NodeCatalog') {
'identity'() {
groupId(catalog.groupId)
artifactId(catalog.artifactId)
version(catalog.version)
}
}
return writer.toString();
}
它产生这个xml:
<catalog xmlns='http://www.sybrium.com/XMLSchema/NodeCatalog'>
<groupId>sample.group</groupId>
<artifactId>sample-artifact</artifactId>
<version>1.0.0</version>
</catalog>
请注意,“identity”标签丢失了......我已经尝试了世界上的所有内容来显示该节点。我正在撕开我的头发!
提前致谢。
答案 0 :(得分:11)
可能有更好的方法,但有一个技巧是直接调用invokeMethod
:
String buildCatalog(Catalog catalog) {
def writer = new StringWriter()
def xml = new MarkupBuilder(writer)
xml.catalog(xmlns:'http://www.sybrium.com/XMLSchema/NodeCatalog') {
delegate.invokeMethod('identity', [{
groupId(catalog.groupId)
artifactId(catalog.artifactId)
version(catalog.version)
}])
}
return writer.toString();
}
这实际上是Groovy在幕后所做的事情。我无法让delegate.identity
或owner.identity
工作,这是常用的技巧。
编辑:我知道发生了什么。
对每个对象都有identity(Closure c)
签名的Groovy adds a method。
这意味着当您尝试动态调用XML构建器上的identity
元素时,在传入单个闭包参数时,它正在调用identity()
方法,这就像调用{{1外封闭。
使用delegate({...})
技巧迫使Groovy绕过元对象协议并将该方法视为动态方法,即使MetaObject上已存在invokeMethod
方法。
了解这一点,我们可以将更好,更清晰的解决方案整合在一起。我们所要做的就是更改方法的签名,如下所示:
identity
这更具可读性,意图更清晰,评论应该(希望)阻止任何人删除“不必要的”空地图。