SpringMVC Controller层的单元测试
Getting Ready
测试相关Maven dependency如下:
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-test</artifactId>
<version>4.0.3.RELEASE</version>
<scope>test</scope>
</dependency> <dependency>
<groupId>org.mockito</groupId>
<artifactId>mockito-all</artifactId>
<version>1.9.5</version>
<scope>test</scope>
</dependency> <dependency>
<groupId>junit</groupId>
<artifactId>junit</artifactId>
<version>4.11</version>
<scope>test</scope>
</dependency>
<dependency>
<groupId>org.hamcrest</groupId>
<artifactId>hamcrest-core</artifactId>
<version>1.3</version>
<scope>test</scope>
</dependency>
关于Spring项目的一些依赖如(spring-context, spring-web, spring-webmvc, spring-beans),这里就不列举了
Example
Reference Class
Controller 如下:
@Controller
@RequestMapping("/")
public class DemoController { @Autowired
private TestProjectService testProjectService; @RequestMapping(value = "jsonCompare", method = RequestMethod.POST)
@ResponseBody
public List<FieldComparisonFailure> jsonCompare(@RequestParam("expect") String expect, @RequestParam("actual") String actual, ModelMap model,
HttpSession session) { List<FieldComparisonFailure> list = testProjectService.compare(expect, actual); return list;
} }
FieldComparisonFailure类如下
/**
* Models a failure when comparing two fields.
*/
public class FieldComparisonFailure {
private final String field;
private final Object expected;
private final Object actual; public FieldComparisonFailure(String field, Object expected, Object actual) {
this.field = field;
this.expected = expected;
this.actual = actual;
} public String getField() {
return field;
} public Object getExpected() {
return expected;
} public Object getActual() {
return actual;
}
}
TestProjectService接口如下:
public interface TestProjectService {
public List<FieldComparisonFailure> compare(String expect, String actual); }
TestProjectServiceImpl 具体实现是比较两个Json字符串 返回一个List
@Service
public class TestProjectServiceImpl implements TestProjectService { @Override
public List<FieldComparisonFailure> compare(String expect, String actual) { Comparator comparator = new Comparator();
List<FieldComparisonFailure> list = new ArrayList<FieldComparisonFailure>(); try {
list = comparator.compare(expect, actual);
} catch (JSONException e) {
e.printStackTrace();
}
return list;
} }
##转载注明出处:http://www.cnblogs.com/wade-xu/p/4311657.html
Unit Test
首先来看一个独立的单元测试方式, 这个例子用Mockito 模拟service层以便隔离controller的测试。
package com.wadeshop.controller; import static org.mockito.Mockito.when;
import static org.mockito.Mockito.times;
import static org.mockito.Mockito.verify;
import static org.mockito.Mockito.verifyNoMoreInteractions; import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.post;
import static org.springframework.test.web.servlet.result.MockMvcResultHandlers.print;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.jsonPath;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content;
import static org.hamcrest.Matchers.hasSize; import org.junit.Before;
import org.junit.Test;
import org.mockito.InjectMocks;
import org.mockito.Mock;
import org.mockito.MockitoAnnotations;
import org.springframework.http.MediaType;
import org.springframework.test.web.servlet.MockMvc;
import org.springframework.test.web.servlet.setup.MockMvcBuilders; import com.google.common.collect.ImmutableList;
import com.wadeshop.service.TestProjectService;
import com.wadeshop.entity.FieldComparisonFailure; public class DemoControllerTest_mock { @Mock
private TestProjectService testProjectService; @InjectMocks
private DemoController demoController; private MockMvc mockMvc; @Before
public void setup() { // initialize mock object
MockitoAnnotations.initMocks(this); // Setup Spring test in standalone mode
this.mockMvc = MockMvcBuilders.standaloneSetup(demoController).build();
} @Test
public void test() throws Exception { //prepare test data
FieldComparisonFailure e1 = new FieldComparisonFailure("Number", "3", "4");
FieldComparisonFailure e2 = new FieldComparisonFailure("Number", "1", "2"); //actually parameter haven't use, service was mocked
String expect = "";
String actual = ""; //Sets a return value to be returned when the method is called
when(testProjectService.compare(expect, actual)).thenReturn(ImmutableList.of(e1, e2)); //construct http request and expect response
this.mockMvc
.perform(post("/jsonCompare")
.accept(MediaType.APPLICATION_JSON)
.param("actual", actual)
.param("expect", expect))
.andDo(print()) //print request and response to Console
.andExpect(status().isOk())
.andExpect(content().contentType("application/json;charset=UTF-8"))
.andExpect(jsonPath("$", hasSize(2)))
.andExpect(jsonPath("$[0].field").value("Number"))
.andExpect(jsonPath("$[0].expected").value("3"))
.andExpect(jsonPath("$[0].actual").value("4"))
.andExpect(jsonPath("$[1].field").value("Number"))
.andExpect(jsonPath("$[1].expected").value("1"))
.andExpect(jsonPath("$[1].actual").value("2")); //verify Interactions with any mock
verify(testProjectService, times(1)).compare(expect, actual);
verifyNoMoreInteractions(testProjectService);
}
}
@Mock: 需要被Mock的对象
@InjectMocks: 需要将Mock对象注入的对象, 此处就是Controller
Before test
初始化Mock对象, 通过MockMvcBuilders.standaloneSetup模拟一个Mvc测试环境,注入controller, 通过build得到一个MockMvc, 后面就用MockMvc的一些API做测试。
这不是真实的Spring MVC环境,如果要模拟真实环境需要用 MockMvcBuilders.webAppContextSetup(webApplicationContext).build(), 见下文。
测试方法里面需要构建测试数据,mock service调用方法,返回一个ImmutableList (google-collections 谷歌的集合库)
然后构造http请求并且传入参数执行, 最后断言验证期望结果, 关于JsonPath的使用请参考http://goessner.net/articles/JsonPath/
运行
andDo(print()) 打印到控制台的信息如下

MockHttpServletRequest:
HTTP Method = POST
Request URI = /jsonCompare
Parameters = {actual=[], expect=[]}
Headers = {Accept=[application/json]} Handler:
Type = com.wadeshop.controller.DemoController Async:
Was async started = false
Async result = null Resolved Exception:
Type = null ModelAndView:
View name = null
View = null
Model = null FlashMap: MockHttpServletResponse:
Status = 200
Error message = null
Headers = {Content-Type=[application/json;charset=UTF-8]}
Content type = application/json;charset=UTF-8
Body = [{"field":"Number","actual":"4","expected":"3"},{"field":"Number","actual":"2","expected":"1"}]
Forwarded URL = null
Redirected URL = null
Cookies = []

##转载注明出处:http://www.cnblogs.com/wade-xu/p/4311657.html
Integration Testing
再来看集成Web环境方式, 这次仍然使用Spring MVC Test 但还需要加载 WebApplicationContext
import static org.hamcrest.Matchers.hasSize;
import static org.springframework.test.web.servlet.request.MockMvcRequestBuilders.post;
import static org.springframework.test.web.servlet.result.MockMvcResultHandlers.print;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.content;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.jsonPath;
import static org.springframework.test.web.servlet.result.MockMvcResultMatchers.status; import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.MediaType;
import org.springframework.test.context.ContextConfiguration;
import org.springframework.test.context.junit4.SpringJUnit4ClassRunner;
import org.springframework.test.context.web.WebAppConfiguration;
import org.springframework.test.web.servlet.MockMvc;
import org.springframework.test.web.servlet.setup.MockMvcBuilders;
import org.springframework.web.context.WebApplicationContext; @RunWith(SpringJUnit4ClassRunner.class)
@WebAppConfiguration(value = "src/main/webapp")
@ContextConfiguration("file:src/main/resources/applicationContext.xml") public class DemoControllerTest { @Autowired
private WebApplicationContext wac;
private MockMvc mockMvc; @Before
public void setUp() {
mockMvc = MockMvcBuilders.webAppContextSetup(wac).build();
} @Test
public void test() throws Exception {
String actual = "{\"orderNumber\": \"4955\",\"orderVersion\": \"1\"}";
String expect = "{\"orderNumber\": \"4956\",\"orderVersion\": \"1\"}"; this.mockMvc
.perform(post("/jsonCompare")
.accept(MediaType.APPLICATION_JSON)
.param("actual", actual)
.param("expect", expect))
.andDo(print())
.andExpect(status().isOk())
.andExpect(content().contentType("application/json"))
.andExpect(jsonPath("$", hasSize(1)))
.andExpect(jsonPath("$[0].field").value("orderNumber"))
.andExpect(jsonPath("$[0].actual").value("4955"))
.andExpect(jsonPath("$[0].expected").value("4956"));
}
}
@RunWith: 告诉Junit使用 Spring-Test 框架, 允许加载web 应用程序上下文。
@WebAppConfiguration: 表明该类会使用web应用程序的默认根目录来载入ApplicationContext, value = "src/main/webapp" 可以不填,默认此目录
@ContextConfiguration: 指定需要加载的spring配置文件的地址 ("file:src/main/resources/applicationContext.xml")
@Autowired WebApplicationContext wac:注入web环境的ApplicationContext容器;
使用MockMvcBuilders.webAppContextSetup(wac).build()来创建一个MockMvc进行测试, 此为模拟真实的Spring MVC环境
测试过程和前面一个例子大体相似,唯一的区别就是,这次传入的是真实的参数,调用真实的service取得返回值。
运行时间比较长
控制台信息

MockHttpServletRequest:
HTTP Method = POST
Request URI = /jsonCompare
Parameters = {actual=[{"orderNumber": "4955","orderVersion": "1"}], expect=[{"orderNumber": "4956","orderVersion": "1"}]}
Headers = {Accept=[application/json]} Handler:
Type = com.wadeshop.controller.DemoController Async:
Was async started = false
Async result = null Resolved Exception:
Type = null ModelAndView:
View name = null
View = null
Model = null FlashMap: MockHttpServletResponse:
Status = 200
Error message = null
Headers = {Content-Type=[application/json]}
Content type = application/json
Body = [{"field":"orderNumber","actual":"4955","expected":"4956"}]
Forwarded URL = null
Redirected URL = null
Cookies = []

从上面的例子来看集成测试Spring MVC controller是不是也很简单, 稍微配置一下就行了。
##转载注明出处:http://www.cnblogs.com/wade-xu/p/4311657.html
总结
单元测试过程无非就这三部曲:
- 准备 (测试环境,测试数据)
- 执行 (构造请求传入参数执行)
- 断言 (验证结果)
Troubleshooting
如果发现一些NoClassDefFoundError, 估计依赖的jar版本太旧了。
import 哪些类不要弄错了,有些需要static import, IDE工具不一定会提示导入
SpringMVC Controller层的单元测试的更多相关文章
- Spring Boot从Controller层进行单元测试
单元测试是程序员对代码的自测,一般公司都会严格要求单元测试,这是对自己代码的负责,也是对代码的敬畏. 一般单元测试都是测试Service层,下面我将演示从Controller层进行单元测试. 无参Co ...
- 关于Spring MVC Controller 层的单元测试
关于Spring MVC Controller 层的单元测试 测试准备工作: 1.搭建测试Web环境 2.注入Controller 类 3.编写测试数据 测试数据的文件名一定要与测试类的文件名相同,比 ...
- ssm controller层 junit单元测试
原文链接:https://www.cnblogs.com/oucbl/p/5943743.html springmvc controller junit 测试 作者:blouc@qq.com本文为作者 ...
- springmvc controller层接收List类型的参数
Spring MVC在接收集合请求参数时,需要在Controller方法的集合参数里前添加@RequestBody,而@RequestBody默认接收的enctype (MIME编码)是applica ...
- springmvc,controller层在接收浏览器url传来的参数带中文乱码问题。
请求地址:http://localhost:8080/saveFlashSale?fsRemark=哈哈哈哈哈 接收方法:@RequestMapping("/saveFlashSale&qu ...
- PowerMock+SpringMVC整合并测试Controller层方法
PowerMock扩展自Mockito,实现了Mockito不支持的模拟形式的单元测试.PowerMock实现了对静态方法.构造函数.私有方法以及final方法的模拟支持,对静态初始化过程的移除等强大 ...
- SpringBoot—单元测试模板(controller层和service层)
介绍 概述 在开发过程中,我们经常会一股脑的写各种业务逻辑,经常等全部大功告成的时候,打个jar包放环境里跑跑看看能不能通,殊不知在各个业务方法中已经漏洞百出,修复一个打一个包,再继续修复,这种效 ...
- SpringMVC在Controller层中注入request的坑
记一次为了节省代码没有在方法体中声明HttpServletRequest,而用autowire直接注入所钻的坑 结论 给心急的人. 直接在Controller的成员变量上使用@Autowire声明Ht ...
- SpringMVC的controller层接收来自jsp页面通过<a href="/user/userUpdateInfo/>的中文乱码问题
这种情况是,jsp页面的中文正常显示,数据的中文也是正常显示,但是在Controller层接收到的中文是乱码,如下图所示: 解决方法:在Controller层对前台传递的中文乱码进行处理,将它转换成u ...
随机推荐
- [LeetCode 题解]:Combinations
Given two integers n and k, return all possible combinations of k numbers out of 1 ... n. For exampl ...
- IIS 发布webservice 需要用户名和密码访问 解决
今天,我在IIS上发布了一个自己写的webservice,然后我在远程通过浏览器来访问这个webservice的时候出现一个登录界面如下 之前我朋友发布webservice的时候也出现过一次,那次好 ...
- C# 读Autofac源码笔记(2)
刚看了下Autofac属性注入的源码 首先看看WithProperty方法 image.png Autofac将我们的属性值,存在了一个list集合中 image.png 然后将这个集合传递到 ...
- Linux--多用户登录服务器端口抓包
以root身份登录1.新建用户组用命令groupadd test2.添加用户useradd -d /home/test/bei_1 -s /bin/sh -g test -m bei_1此命令新建了一 ...
- 932. Beautiful Array
For some fixed N, an array A is beautiful if it is a permutation of the integers 1, 2, ..., N, such ...
- [Android] Android MVP 架构下 最简单的 代码实现
Android MVP 架构下 最简单的 代码实现 首先看图: 上图是MVP,下图是MVC MVP和MVC的区别,在于以前的View层不仅要和model层交互,还要和controller层交互.而 ...
- Elasticsearch NEST使用指南:映射和分析
NEST提供了多种映射方法,这里介绍下通过Attribute自定义映射. 一.简单实现 1.定义业务需要的POCO,并指定需要的Attribute [ElasticsearchType(Name = ...
- jquery源码解析:jQuery工具方法when详解
我们先来看when方法是如何使用的: var cb = $.when(); //when方法也是返回一个延迟对象,源码是return deferred.promise();返回的延迟对象不能修改状 ...
- 查看Xcode配置文件
终端命令 open ~/Library/MobileDevice/Provisioning\ Profiles/ 除去多余的配置文件 Xcode -> Build Settings -> ...
- html头文件设置常用之<meta>设置缓存
<meta http-equiv="pragma" content="no-cache">,pragma与no-cache用于定义页面缓存,不缓存页 ...