如何使用AutoMapper模拟列表转换

时间:2015-04-13 12:34:37

标签: c# asp.net-mvc unit-testing moq automapper

我正在使用AutoMapper并将映射引擎定义为

private readonly IMappingEngine _mappingEngine;

我通过构造函数注入初始化它并在代码中使用,如下所示

var product=//Get a single product
var productModel = _mappingEngine.Map<ProductModel>(product);

以上工作完美。我现在需要将Product的列表映射到ProductModel列表以下是控制器操作中的工作

var entities =//Get list of products
var model = entities.Select(e => _mappingEngine.Map<ProductModel>(e));

上面的LINQ代码使用foreach并将每个Product转换为ProductModel现在我需要对上面的代码进行单元测试,但是无法使用Moq来模拟上面的LINQ语句

我已尝试过以下

var mapper = new Mock<IMappingEngine>();
mapper.Setup(m => m.Map<ProductModel>(product)).Returns(ProductModel);

上述映射器设置适用于单个对象映射。我们如何使用产品列表设置上述内容

所以,我希望能够像这样设置一个Product列表:

var productList=new List<Product>{new Product{Id=1,name="product 1"},
                                  new Product{Id=2,name="product 2"}};

并定义一个模拟,它将返回ProductModel的列表,如下所示:

var productModelList=new List<ProductModel>{new ProductModel{Id=1,name="product 1"},
                                            new ProductModel{Id=2,name="product 2"}};  

当我的测试调用控制器(使用模拟IMappingEngine转换列表时)

var model = entities.Select(e => _mappingEngine.Map<ProductModel>(e));

那么,在编写Moq单元测试时,我们如何设置上述内容,以便_mappingEngine.MapproductList作为输入并返回productModelList

1 个答案:

答案 0 :(得分:2)

首先,真的是否需要模拟从ProductProductModel的映射,或者它是否同样有效创建IMappingEngine的实例并将其提供给您的控制器,而不是Mock.Object

在测试设置中添加映​​射非常简单:

Mapper.CreateMap<Product, ProductModel>();

并清除测试拆解中的映射:

Mapper.Reset();

允许您在测试中向控制器构造函数提供Mapper.Engine。显然这取决于你的测试方法,但对于像AutoMapper这样使用得很好且可靠,而且时间开销很小的东西,这可能是一种有效的方法。

假设您确实想要模拟映射,可以使用回调为每个调用返回不同的项,执行以下操作:

// Create a list of the mapped values you're expecting
var productModels = new List<ProductModel> {
    new ProductModel { Id=11,name="eleven"},
    new ProductModel { Id=12,name="twelve"},
    new ProductModel { Id=13,name="thirteen"}
};

// Mock the IMappingEngine
var engine = new Mock<IMappingEngine>();

// Create a variable to count the calls
var calls=0;

// Mock ALL calls to map, where the destination is ProductModel
// and source is Product
engine.Setup(m => m.Map<ProductModel>(It.IsAny<Product>()))
      .Returns(()=>productModels[calls]) // Return next productModel
      .Callback(()=>calls++)   // Increment counter to point to next model

您应该注意到,模拟Setup正在模拟单个映射,而不是将Product列表映射到ProductModel列表。那是因为你对entities.Select(e => _mappingEngine.Map<ProductModel>(e))的调用一次循环遍历你的列表项,而不是要求映射引擎(或你的模拟器)一次映射列表...

如果您需要在模拟中更精确,那么也可以扩展Callback以验证是否正在映射预期的Product。您可能不希望每次都这样做,但在某些情况下它可能很有用。所以,你可以这样做:

// Declare a list of expected products to map from
var products = new List<Product> { 
    new Product {Id=1, name="One"},
    new Product {Id=2, name="Two"},
    new Product {Id=3, name="Three"}
};


engine.Setup(m => m.Map<ProductModel>(It.IsAny<Product>()))
      .Returns(() => productModels[calls])
      .Callback<Product>(x => {Assert.AreEqual(x.Id, products[calls].Id); calls++;});