2

我正在使用 Spring @MVC(带有 MVC 注释)开发一个项目。

如果所有请求参数都填充到单个 bean 中,一切看起来都很好,但是多个 POJO 呢?

我已经搜索了网络并且知道表单支持对象,但是我如何在@MVC(基于注释)中使用它们?

另一个问题:我应该为每个表单构建一个 bean 吗?它看起来不像是 Strut 的ActionForm吗?有没有办法阻止创建这些对象?

有没有办法将所有 bean 放入 Map 并要求 Spring binder 填充它们?就像是:

map.put("department", new Department());
map.put("person", new Person());

so department.nameanddepartment.id绑定到部门 bean 中,and person.name, person.sexand ... 填充到 person bean 中?(因此控制器方法接受 aMap作为其参数)。

4

2 回答 2

2

表单支持对象不是强制性的,您可以使用@RequestParam注解直接获取表单值。请参阅Spring Manual 上的使用 @RequestParam 将请求参数绑定到方法参数

我认为 Map 不受默认 Spring MVC 类型转换器的支持,但您可以注册自定义转换器。请参阅自定义 WebDataBinder 初始化

于 2013-11-14T23:27:21.527 回答
0

如果您提供Person参考,Department那将很容易。在您的应用程序中,如果此人在某个部门工作,那么Has-A在您的 Person 类中创建这样的关系是合乎逻辑的:

@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;
    }
}

您可以创建一个从 Context 获取Personbean 并呈现视图的控制器。

@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>
于 2013-11-15T09:05:22.567 回答