如何使用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));

所以,写起订量单元测试时,我们怎么能设置上面,这样_mappingEngine.Map这需要productList作为输入并返回productModelList


首先,您是否真的需要模拟从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++;});
链接地址: http://www.djcxy.com/p/74399.html

上一篇: How to Mock a list transformation using AutoMapper

下一篇: Unit test the Automapper profiles