[转]Creating Unit Tests for ASP.NET MVC Applications (C#)
The goal of this tutorial is to demonstrate how you can write unit tests for the controllers in your ASP.NET MVC applications. We discuss how to build three different types of unit tests. You learn how to test the view returned by a controller action, how to test the View Data returned by a controller action, and how to test whether or not one controller action redirects you to a second controller action.
Creating the Controller under Test
Let’s start by creating the controller that we intend to test. The controller, named the ProductController
, is contained in Listing 1.
Listing 1 – ProductController.cs
usingSystem;
usingSystem.Web.Mvc; namespace Store.Controllers{
public class ProductController:Controller{
public ActionResult Index(){
// Add action logic here
thrownewNotImplementedException();
} public ActionResult Details(intId){
returnView("Details");
} }
}
The ProductController
contains two action methods named Index()
and Details()
. Both action methods return a view. Notice that the Details()
action accepts a parameter named Id.
Testing the View returned by a Controller
Imagine that we want to test whether or not the ProductController
returns the right view. We want to make sure that when the ProductController.Details()
action is invoked, the Details view is returned. The test class in Listing 2 contains a unit test for testing the view returned by the ProductController.Details()
action.
Listing 2 – ProductControllerTest.cs
using System.Web.Mvc;
using Microsoft.VisualStudio.TestTools.UnitTesting;
using Store.Controllers;
namespace StoreTests.Controllers{
[TestClass]
public class ProductControllerTest{
[TestMethod]
public void TestDetailsView(){
var controller =new ProductController();
var result = controller.Details(2)as ViewResult;
Assert.AreEqual("Details", result.ViewName);
}
}
}
The class in Listing 2 includes a test method named TestDetailsView()
. This method contains three lines of code. The first line of code creates a new instance of the ProductController
class. The second line of code invokes the controller’s Details()
action method. Finally, the last line of code checks whether or not the view returned by the Details()
action is the Details view.
The ViewResult.ViewName
property represents the name of the view returned by a controller. One big warning about testing this property. There are two ways that a controller can return a view. A controller can explicitly return a view like this:
publicActionResultDetails(intId){returnView("Details");}
Alternatively, the name of the view can be inferred from the name of the controller action like this:
publicActionResultDetails(intId){returnView();}
This controller action also returns a view named Details
. However, the name of the view is inferred from the action name. If you want to test the view name, then you must explicitly return the view name from the controller action.
You can run the unit test in Listing 2 by either entering the keyboard combination Ctrl-R, A or by clicking the Run All Tests in Solution button (see Figure 1). If the test passes, you’ll see the Test Results window in Figure 2.

Figure 01: Run All Tests in Solution (Click to view full-size image)

Figure 02: Success! (Click to view full-size image)
Testing the View Data returned by a Controller
An MVC controller passes data to a view by using something called View Data
. For example, imagine that you want to display the details for a particular product when you invoke the ProductController Details()
action. In that case, you can create an instance of a Product
class (defined in your model) and pass the instance to the Details
view by taking advantage of View Data
.
The modified ProductController
in Listing 3 includes an updated Details()
action that returns a Product.
Listing 3 – ProductController.cs
using System;
using System.Web.Mvc; namespace Store.Controllers{ public class ProductController:Controller{ public ActionResult Index(){
// Add action logic here
thrownewNotImplementedException();
} public ActionResult Details(intId){
var product =new Product(Id,"Laptop");
return View("Details", product);
}
}
}
First, the Details()
action creates a new instance of the Product
class that represents a laptop computer. Next, the instance of the Product
class is passed as the second parameter to the View()
method.
You can write unit tests to test whether the expected data is contained in view data. The unit test in Listing 4 tests whether or not a Product representing a laptop computer is returned when you call the ProductController Details()
action method.
Listing 4 – ProductControllerTest.cs
using System.Web.Mvc;
using Microsoft.VisualStudio.TestTools.UnitTesting;
using Store.Controllers; namespace StoreTests.Controllers{
[TestClass]
public class ProductControllerTest{
[TestMethod]
public void TestDetailsViewData(){
var controller =new ProductController();
var result = controller.Details(2) as ViewResult;
var product =(Product) result.ViewData.Model;
Assert.AreEqual("Laptop", product.Name);
}
}
}
In Listing 4, the TestDetailsView()
method tests the View Data returned by invoking the Details()
method. The ViewData
is exposed as a property on the ViewResult
returned by invoking the Details()
method. The ViewData.Model
property contains the product passed to the view. The test simply verifies that the product contained in the View Data has the name Laptop.
Testing the Action Result returned by a Controller
A more complex controller action might return different types of action results depending on the values of the parameters passed to the controller action. A controller action can return a variety of types of action results including a ViewResult
, RedirectToRouteResult
, or JsonResult
.
For example, the modified Details()
action in Listing 5 returns the Details
view when you pass a valid product Id to the action. If you pass an invalid product Id -- an Id with a value less than 1 -- then you are redirected to the Index()
action.
Listing 5 – ProductController.cs
using System;
using System.Web.Mvc;
namespace Store.Controllers{
public class ProductController:Controller{
public ActionResult Index(){
// Add action logic here
throw new NotImplementedException();
} public ActionResult Details(intId){
if(Id<1)
return RedirectToAction("Index");
var product =newProduct(Id,"Laptop");
returnView("Details", product);
}
}
}
You can test the behavior of the Details()
action with the unit test in Listing 6. The unit test in Listing 6 verifies that you are redirected to the Index
view when an Id with the value -1 is passed to the Details()
method.
Listing 6 – ProductControllerTest.cs
using System.Web.Mvc;
using Microsoft.VisualStudio.TestTools.UnitTesting;
using Store.Controllers;
namespace StoreTests.Controllers{
[TestClass]p
ublic class ProductControllerTest{
[TestMethod]
public void TestDetailsRedirect(){
var controller =new ProductController();
var result =(RedirectToRouteResult) controller.Details(-1);
Assert.AreEqual("Index", result.Values["action"]);
}
}
}
When you call the RedirectToAction()
method in a controller action, the controller action returns a RedirectToRouteResult
. The test checks whether the RedirectToRouteResult
will redirect the user to a controller action named Index
.
Summary
In this tutorial, you learned how to build unit tests for MVC controller actions. First, you learned how to verify whether the right view is returned by a controller action. You learned how to use the ViewResult.ViewName
property to verify the name of a view.
Next, we examined how you can test the contents of View Data
. You learned how to check whether the right product was returned in View Data
after calling a controller action.
Finally, we discussed how you can test whether different types of action results are returned from a controller action. You learned how to test whether a controller returns a ViewResult
or a RedirectToRouteResult
.
[转]Creating Unit Tests for ASP.NET MVC Applications (C#)的更多相关文章
- Custom Roles Based Access Control (RBAC) in ASP.NET MVC Applications - Part 1 (Framework Introduction)
https://www.codeproject.com/Articles/875547/Custom-Roles-Based-Access-Control-RBAC-in-ASP-NET Introd ...
- 返璞归真 asp.net mvc (5) - Action Filter, UpdateModel, ModelBinder, Ajax, Unit Test
原文:返璞归真 asp.net mvc (5) - Action Filter, UpdateModel, ModelBinder, Ajax, Unit Test [索引页] [源码下载] 返璞归真 ...
- 【转】ASP.NET MVC 的最佳实践
[This post is based on a document authored by Ben Grover (a senior developer at Microsoft). It is ou ...
- [引]ASP.NET MVC 4 Content Map
本文转自:http://msdn.microsoft.com/en-us/library/gg416514(v=vs.108).aspx The Model-View-Controller (MVC) ...
- Implementing HTTPS Everywhere in ASP.Net MVC application.
Implementing HTTPS Everywhere in ASP.Net MVC application. HTTPS everywhere is a common theme of the ...
- 使用Metrics.NET 构建 ASP.NET MVC 应用程序的性能指标
通常我们需要监测ASP.NET MVC 或 Web API 的应用程序的性能时,通常采用的是自定义性能计数器,性能计数器会引发无休止的运维问题(损坏的计数器.权限问题等).这篇文章向你介绍一个新的替代 ...
- Caching in ASP.NET MVC
The caching options available in ASP.NET MVC applications don’t come from the ASP.NET MVC Framework, ...
- Mixing ASP.NET Webforms and ASP.NET MVC
https://www.packtpub.com/books/content/mixing-aspnet-webforms-and-aspnet-mvc *********************** ...
- How to Choose the Best Way to Pass Multiple Models in ASP.NET MVC
Snesh Prajapati, 8 Dec 2014 http://www.codeproject.com/Articles/717941/How-to-Choose-the-Best-Way-to ...
随机推荐
- 为什么浏览器User-agent总是有Mozilla字样(User-agent String里的历史故事)【搜藏】
你是否好奇标识浏览器身份的User-Agent,为什么每个浏览器都有Mozilla字样? Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 ...
- Flume 与Kafka区别
今天开会讨论日志处理为什么要同时使用Flume和Kafka,是否可以只用Kafka 不使用Flume?当时想到的就只用Flume的接口多,不管是输入接口(socket 和 文件)以及输出接口(Kafk ...
- shell ftp上传下载文件
1. ftp自动登录批量下载文件. #####从ftp服务器上的/home/data 到 本地/home/databackup#### #!/bin/bash ftp -n<<! open ...
- XMPP的Stanzas
客户端需要使用JID作为身份标石 : [user "@"]domain["/"resource]加域名可以区别重名的用户user,resource可以区分用户登 ...
- usb device selection
- Java List 用法代码分析 非常详细
Java中可变数组的原理就是不断的创建新的数组,将原数组加到新的数组中,下文对Java List用法做了详解. List:元素是有序的(怎么存的就怎么取出来,顺序不会乱),元素可以重复(角标1上有个3 ...
- Fragment回调顺序及getActivity()为NullPointerException解决方法
Fragment回调顺序 onAttach->onCreate->onCreateView->onActivityCreated ps:最后发现经常在Fragment里面getAct ...
- OpenCV学习笔记:MAT解析
在2001年刚刚出现的时候,OpenCV基于 C 语言接口而建.为了在内存(memory)中存放图像,当时采用名为 IplImage 的C语言结构体,时至今日这仍出现在大多数的旧版教程和教学材料.但这 ...
- Partition Array
Given an array nums of integers and an int k, partition the array (i.e move the elements in "nu ...
- 【C++深入浅出】设计模式学习之单例模式
但凡成为大家公认的模式,都是有一些不可小觑的威力,今天分享一个简单的设计模式:单例模式. 单例模式用于一些只希望有一个实例的类或者只希望执行一次的操作:校长只能有一个.老板只能有一个.用户点击弹窗只希 ...