WebAPI控制器中的自动映射器

时间:2017-03-15 14:19:42

标签: c# .net asp.net-web-api automapper

我有一个Car WebAPI控制器方法如下 - 注意_carService.GetCarData返回CarDataDTO对象的集合

[HttpGet]
[Route("api/Car/Retrieve/{carManufacturerID}/{year}")]
public IEnumerable<CarData> RetrieveTest(int carManufacturerID, int year)
{
    //Mapper.Map<>
    var cars = _carService.GetCarData(carManufacturerID, year);
    //var returnData = Mapper.Map<CarData, CarDataDTO>();
    return cars;
}

CarData是我创建的WebAPI模型。

public class CarData
{
    public string Model { get; set; }
    public string Colour { get; set; }
    //other properties removed from brevity
}

CarDataDTO是我创建的一个为DB表建模的类 - 我通过dapper调用的存储过程检索数据。

public class CarDataDTO
{
    public int CarID { get; set; }
    public int CarManufacturerID { get; set; }
    public int Year { get; set; }
    public string Model { get; set; }
    public string Colour { get; set; }
    //other properties removed from brevity
}

如果我的API控制器中的var cars行有一个断点,我可以看到按预期返回的所有内容,并且我有一组CarDTO对象。但是,我并不要求WebAPI返回CarDataID,CarID或Year,这就是我创建CarData API模型的原因。

如何轻松使用Automapper来映射我关注的属性?

我是否需要在WebApiConfig类中设置某些内容?

1 个答案:

答案 0 :(得分:35)

您可以从以下位置安装AutoMapper nuget包:AutoMapper 然后声明一个类:

public class AutoMapperConfig
{
    public static void Initialize()
    {
        Mapper.Initialize((config) =>
        {
            config.CreateMap<Source, Destination>().ReverseMap();
        });
    }
}

然后在你的Global.asax中调用它:

public class WebApiApplication : System.Web.HttpApplication
{
    protected void Application_Start()
    {
        AutoMapperConfig.Initialize();
        GlobalConfiguration.Configure(WebApiConfig.Register);
    }
}

如果您想忽略某些属性,那么您可以执行以下操作:

Mapper.CreateMap<Source, Destination>()
  .ForMember(dest => dest.SomePropToIgnore, opt => opt.Ignore())

您使用它进行映射的方式是:

DestinationType obj = Mapper.Map<SourceType, DestinationType>(sourceValueObject);
List<DestinationType> listObj = Mapper.Map<List<SourceType>, List<DestinationType>>(enumarableSourceValueObject);