关于Spring MVC同名参数绑定问题的解决方法

时间:2022-09-22 20:44:51

前言

最近在使用Spring MVC接收参数的时候,碰到个同名参数绑定的问题,参考了好几篇文章才解决问题,所以自己在这里总结一下,分享出来供大家参考学习,话不多说了,来一起看看详细的介绍:

比如,我的表单是这样的:

?
1
2
3
4
5
<form action="/test.action" method="post">
 <input name="user.name">
 <input name="acc.name">
 <input type="submit">
</form>

如果是sturts的话,这个很好解决,在Controller声明user和acc对象就行了,但是SpringMVC的参数绑定和struts不一样,它会自动的去找对应的属性绑定,而如果你的action是这样的:

?
1
2
3
4
5
@RequestMapping("/test.action")
public void test(Account account, User user){
 System.out.println(user);
 System.out.println(account);
}

这样的话是会报错的,怎么办呢?

这里要用到@InitBinder这个注解,详细的解释可以找相关资料,这里只讲怎么用。在Controller类添加下面两个方法,作用是把指定的开头标识符的值赋给成指定名字的对象

?
1
2
3
4
5
6
7
8
9
@InitBinder("account")
public void initAccountBinder(WebDataBinder binder) {
 binder.setFieldDefaultPrefix("acc.");
}
 
@InitBinder("user")
public void initUserBinder(WebDataBinder binder) {
 binder.setFieldDefaultPrefix("user.");
}

然后把action方法改造成下面这样就可以了。

?
1
2
3
4
5
@RequestMapping("/test.action")
public void test(@ModelAttribute("account") Account account, @ModelAttribute("user") User user){
 System.out.println(user);
 System.out.println(account);
}

注意: @ModelAttribute里面的参数要跟上面定义的@InitBinder里面的值对应,否则是取不到值的。

总结

以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作能带来一定的帮助,如果有疑问大家可以留言交流,谢谢大家对服务器之家的支持。

原文链接:https://segmentfault.com/a/1190000002923372