我正在尝试使用Groovy MarkupBuilder生成XML。
所需的XML是这种形式(简化):
<Order>
<StoreID />
<City />
<Items>
<Item>
<ItemCode />
<UnitPrice />
<Quantity />
</Item>
</Items>
</Order>
数据存储在Excel文件中,易于访问。我的Groovy脚本解析Excel并生成XML。
e.g。
import groovy.xml.*
def writer = new StringWriter()
def xml = new MarkupBuilder(writer)
xml.Order{
StoreID("Store1")
City("New York")
Items(){
Item(){
ItemCode("LED_TV")
UnitPrice("800.00")
Quantity("2")
}
}
}
“items”中可以有多个“item”容器。
我的问题是: 假设我们想生成包含10个项目的Order XML。有没有办法在“items”容器中写一个类似for循环的东西?这样,我们就不需要为10个不同的项目编写MarkupBuilder代码了。
有一个类似的问题Adding dynamic elements and attributes to groovy MarkupBuilder or StreamingMarkupBuilder。但它没有讨论循环。
答案 0 :(得分:20)
是的,有一种使用循环的方法。在此处扩展您的示例:
import groovy.xml.*
def writer = new StringWriter()
def xml = new MarkupBuilder(writer)
//List of items represented as a map
def items = [[itemCode: "A", unitPrice: 10, quantity: 2],
[itemCode: "B", unitPrice: 20, quantity: 3],
[itemCode: "C", unitPrice: 30, quantity: 4],
[itemCode: "D", unitPrice: 40, quantity: 6],
[itemCode: "E", unitPrice: 50, quantity: 5]]
xml.Order{
StoreID("Store1")
City("New York")
Items{
//Loop through the list.
//make sure you are using a variable name instead of using "it"
items.each{item->
Item{
ItemCode(item.itemCode)
UnitPrice(item.unitPrice)
Quantity(item.quantity)
}
}
}
}
println writer
应该给你你期待的东西。
答案 1 :(得分:0)
此贡献帮助我解决了一个类似的问题:我想在MarkupBuilder块中调用函数,例如本例中的addElement()
函数。
我想将代码拆分为不同的功能。
在MarkupBuilder块中调用函数的示例:
static void addElement(Map<String,String> elements, MarkupBuilder mb) {
mb."${elements.tag}"(elements.content)
}
static void example() {
def writer = new StringWriter()
def htmlBuilder = new MarkupBuilder(writer)
String tag = "a"
Map<String, String> attributes1 = new HashMap<>()
attributes1.put("href","http://address")
String content1 = "this is a link"
Map<String, String> element1 = new HashMap<>()
element1.put("tag","b")
element1.put("content","bold content 1")
Map<String, String> element2 = new HashMap<>()
element2.put("tag","b")
element2.put("content","bold content 2")
List<Map<String, String>> elements = new ArrayList<>()
elements.add(element1)
elements.add(element2)
htmlBuilder."html" {
"${tag}"( attributes1, content1 )
elements.each { contentIterator ->
addElement(contentIterator, htmlBuilder)
}
}
println writer
}
并产生以下输出:
<html>
<a href='http://address'>this is a link</a>
<b>bold content 1</b>
<b>bold content 2</b>
</html>