如何使用 AutoMapper 模拟列表转换

How to Mock a list transformation using 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"}};

并定义一个模拟,它将 return 一个 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 作为输入并且 returns productModelList?

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

在您的测试设置中添加映​​射的简单操作:

Mapper.CreateMap<Product, ProductModel>();

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

Mapper.Reset();

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

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

// 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

您应该注意到,mock 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++;});