自动映射器的通用扩展方法

本文关键字:扩展 方法 映射 | 更新日期: 2023-09-27 18:28:44

public abstract class Entity : IEntity
{
    [Key]
    public virtual int Id { get; set; }
}
public class City:Entity
{
    public string Code { get; set; }
}
public class BaseViewModel:IBaseViewModel
{
    public int Id { get; set; }
}
public class CityModel:BaseViewModel
{
    public string Code { get; set; }
}

我的域和视图类...

用于映射扩展

public static TModel ToModel<TModel,TEntity>(this TEntity entity)
    where TModel:IBaseViewModel where TEntity:IEntity
{
    return Mapper.Map<TEntity, TModel>(entity);
}

我像下面这样使用

City city = GetCity(Id);
CityModel model = f.ToModel<CityModel, City>();

但它很长

我可以像下面这样写吗?

City city = GetCity(Id);
CityModel model = f.ToModel();

这可能吗?

自动映射器的通用扩展方法

与其跳过所有这些箍,为什么不直接使用:

public static TDestination ToModel<TDestination>(this object source)
{
    return Mapper.Map<TDestination>(source);
}
否,

因为第一个泛型参数无法隐式推断。

我会这样做

    public static TModel ToModel<TModel>(this IEntity entity) where TModel:IBaseViewModel
    {
        return (TModel)Mapper.Map(entity, entity.GetType(), typeof(TModel));
    }

然后代码仍然比以前短

var city = GetCity(Id);
var model = city.ToModel<CityModel>();

将扩展方法作为成员方法放在IEntity上。然后,您只需要传递一种类型。