我正在使用Spring @MVC(使用MVC注释)开发一个项目。
如果所有请求参数都应填充到单个bean中,一切似乎都很好,但是多个POJO呢?
我搜索了网页并了解了表单支持对象,但是如何在@MVC(基于注释)中使用它们?
另一个问题:我应该为每个表单构建一个bean吗?它看起来不像Strut的ActionForm
吗?反正有没有阻止创建这些对象?
有没有办法,将所有bean放在Map中并让Spring binder填充它们?类似的东西:
map.put("department", new Department());
map.put("person", new Person());
所以department.name
和department.id
绑定到department bean,person.name
,person.sex
和...填充在person bean中? (因此控制器方法接受Map
作为其参数)。
答案 0 :(得分:2)
表单支持对象不是必需的,您可以使用@RequestParam
注释直接获取表单值。请参阅Binding request parameters to method parameters with @RequestParam on Spring Manual。
我认为Map不受默认的Spring MVC类型转换器的支持,但您可以注册自定义转换器。请参阅Customizing WebDataBinder initialization。
答案 1 :(得分:0)
如果您为Person
提供Department
,那么这将很容易。在您的应用中,如果此人在某个部门工作,那么在您的Person类中创建Has-A
关系是合乎逻辑的,如下所示:
@Component
@Scope("prototype")
public class Person {
private String firstName;
private Department department;
public Department getDepartment() {
return department;
}
public void setDepartment(Department department) {
this.department = department;
}
public String getFirstName() {
return firstName;
}
public void setFirstName(String firstName) {
this.firstName = firstName;
}
}
您可以创建一个Controller,它从Context获取Person
bean并呈现视图。
@Controller
public class TestController implements ApplicationContextAware{
private ApplicationContext appContext;
@RequestMapping(value="/handleGet",method=RequestMethod.GET)
public String handleGet(ModelMap map){
map.addAttribute("person", appContext.getBean("person"));
return "test";
}
@RequestMapping(value="/handlePost",method=RequestMethod.POST)
public @ResponseBody String handlePost(@ModelAttribute("person") Person person){
return person.getDepartment().getDepartmentName();
}
@Override
public void setApplicationContext(ApplicationContext appContext)
throws BeansException {
this.appContext=appContext;
}
}
然后在JSP视图中,您可以编写如下内容:
<%@ page language="java" contentType="text/html; charset=ISO-8859-1"
pageEncoding="ISO-8859-1"%>
<%@ taglib prefix="sf" uri="http://www.springframework.org/tags/form" %>
<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "http://www.w3.org/TR/html4/loose.dtd">
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=ISO-8859-1">
<title>Test</title>
</head>
<body>
<sf:form commandName="person" action="/appname/handlePost.html" method="post">
<sf:input path="firstName"/>
<sf:input path="department.departmentName"/>
<sf:button name="Submit">Submit</sf:button>
</sf:form>
</body>
</html>