我有三个相关的实体A
、B
和C
其中A
是B
的父体,B
是C
的父体。
public class A
{
public int Id { get; set; }
public B B { get; set; }
}
public class B
{
public int Id { get; set; }
public C C { get; set; }
}
public class C
{
public int Id { get; set; }
public string Name { get; set; }
}
上述实体有自己的DTO模型,其中包含FromEntity
方法和Projection
。
public class ADto
{
public int Id { get; set; }
public BDto BDto { get; set; }
public static Expression<Func<A, ADto>> Projection
{
get
{
return x => new ADto
{
Id = x.Id,
BDto = BDto.FromEntity(x.B)
};
}
}
}
public class BDto
{
public int Id { get; set; }
public CDto CDto { get; set; }
public static Expression<Func<B, BDto>> Projection
{
get
{
return x => new BDto
{
Id = x.Id,
CDto = CDto.FromEntity(x.C)
};
}
}
public static BDto FromEntity(B entity)
{
return Projection.Compile().Invoke(entity);
}
}
public class CDto
{
public int Id { get; set; }
public string Name { get; set; }
public static Expression<Func<C, CDto>> Projection
{
get
{
return x => new CDto
{
Id = x.Id,
Name = x.Name
};
}
}
public static CDto FromEntity(C entity)
{
return Projection.Compile().Invoke(entity);
}
}
然后我使用这样的投影:
_context.A.Where(x = x.Id == id).Select(ADto.Projection).FirstOrDefault();
我目前的所有尝试都以CDto
in FromEntity
方法中的异常结束,因为实体为 null,因此无法调用投影。
System.NullReferenceException:"对象引用未设置为对象的实例。
有没有办法链接更多嵌套投影?
我知道我可以使用这个:
public class ADto
{
public int Id { get; set; }
public BDto BDto { get; set; }
public static Expression<Func<A, ADto>> Projection
{
get
{
return x => new ADto
{
Id = x.Id,
BDto = new BDto()
{
Id = x.B.Id,
CDto = new CDto()
{
Id = x.B.C.Id,
Name = x.B.C.Name
}
}
};
}
}
}
但是我想在一个地方管理投影,因为真正的类太复杂了。
易用性和内置的依赖注入,我已经在.NET Core项目中使用Automapper很长一段时间了。它可以处理嵌套对象映射。
从 PM 安装:
Install-Package AutoMapper
Install-Package AutoMapper.Extensions.Microsoft.DependencyInjection
在 Startup.cs, ConfigureServices 方法中注册:
services.AddAutoMapper(typeof(Startup));
创建一个类来保留您的映射,例如 MappingProfile.cs
使用自动映射程序中的配置文件,您可以定义映射。
public class MappingProfile : Profile
{
public MappingProfile()
{
CreateMap<A, ADto>();
CreateMap<B, BDto>();
CreateMap<C, CDto>();
}
}
上面的映射告诉自动映射器可以将实体映射到 DTO。
在控制器中,您可以注入 IMapper
private readonly IMapper _mapper;
public MyController(IMapper mapper)
{
_mapper = mapper;
}
并映射如下所示的值:
var dto = _mapper.Map<A>(a); // Map object to dto, which will map nested objects.