(Grails版本:2.3.11,Groovy版本:2.2.2)
我是Groovy和Grails的新手,如果我遗漏了一些明显的东西,请原谅我。我有一个包含Map的命令对象,键是Integer(虽然我已经尝试过Strings但它们也不工作),值是Details对象的列表:
class Details {
Integer volume
Double price
}
class TheCommand {
Map<Integer, List<Details>> details = [:].withDefault { [].withLazyDefault { new Details() } }
String location
}
我在GSP中有这个:
<g:form controller="mapOfLists" action="create">
<g:textField name="location" size="7"/>
<table>
<g:each in="${(1..24)}" var="hour">
<tr>
<td>${hour}</td>
<g:each in="${(0..4)}" var="column">
<td><g:textField name="details[${hour}][${column}].price" size="4"/></td>
<td><g:textField name="details[${hour}][${column}].volume" size="3"/></td>
</g:each>
</tr>
</g:each>
</table>
<g:submitButton name="Submit" value="Submit"/>
</g:form>
行动:
// trying the different binding approaches, none work
def create(TheCommand theCommand) {
// theCommand.hasErrors() -> false
// at this point theCommand's details is an empty map, I can see the details[x][y] values in the params object
bindData(theCommand, params)
// the bindData above didn't work, details is still an empty map
theCommand.properties['details'] = params
// the setting via properties above didn't work, details is still an empty map
}
两个问题: 1)关于尝试什么的任何想法?我已经看到有一种方法可以使用自定义活页夹,但这似乎是一个grails应该处理的情况,所以在我走这条路之前我会给它一个镜头。
2)是否有更强大的数据绑定器?我已经逐步完成了相关的SimpleDataBinder代码,它似乎只支持单索引属性
非常感谢你, 塞特答案 0 :(得分:2)
如果不诉诸自定义绑定器,我无法让它工作:(
对于功能更强大的数据绑定器,有@BindUsing允许您定义闭包或实现BindingHelper接口,以便将输入格式化为您需要的任何内容。您甚至可以在其中使用GORM查找器来填充域实例的属性。
我设法得到了这么多:
class TheCommand {
@BindUsing({ obj, source ->
def details = new HashMap<Integer, List<Details>>().withDefault { [].withLazyDefault { new Details() } }
source['details']?.collect { mapKey, mapValue ->
if (mapKey.integer) {
mapValue.collect { arrayKey, arrayValue ->
if (arrayKey.integer) {
def detailsObj = new Details(volume:new Integer(arrayValue.volume), price: new Double(arrayValue.price))
details[new Integer(mapKey)].add(new Integer(arrayKey), detailsObj)
}
}
}
}
return details
})
Map<Integer, List<Details>> details
String location
}
适用于以下请求curl http://localhost:8080/test/test/index --data "location=here&details.0.0.volume=20&details.0.0.price=2.2&details.0.1.volume=30&details.0.1.price=2"
它功能强大但很难看(虽然我的代码中有一些部分可以更好地实现)。我不知道为什么一个简单的new Details(arrayValue)
在那里不起作用,但我可能会遗漏一些明显的东西。