I have issues with DTO mapping. I'm using OData WebAPI and I need to use IQueryable due to paging, sorting, filtering... When I use this code (simplified for this purpose) in my WebAPI controller, it works
return Ok(_dataService.GetEntities(idUser).Select(e => new EntityDTO
{
ID = e.ID,
Name = e.Name
}));
but when I have separate method for DTO mapping it does not work.
return Ok(_dataService.GetEntities(idUser).Select(e => _dataService.MapToEntityDTO(e)));
Methods in my _dataService object (simplified)
public IQueryable<Entity> GetEntities(long idUser)
{
return from z in _context.Entities select z;
}
public EntityDTO MapToEntityDTO(Entity entity) {
return new EntityDTO {
ID = entity.ID,
Name = entity.Name
};
}
Could you please someone explain me what is wrong with that ? Thanks for help.
1条答案
按热度按时间xqkwcwgp1#
看起来GetEntities正在返回一个
IQueryable
,EF将延迟执行,直到需要实现结果。如果您尝试调用某个任意的C#方法(MapToEntity),这将失败,因为EF无法将其向下转换为SQL。您应该考虑使用Automapper,它包含一个名为
ProjectTo
的方法,该方法可以与EF的IQueryable
集成,以便通过配置的Map器投影您的DTO。其中“config”是自动Map器配置类的示例,包含将实体转换为DTO的Map配置。
使用不与
IQueryable
集成的自定义Map器的另一种方法是,您必须首先实体化实体,然后在内存中执行Map:这种方法的缺点是,首先将实体加载到内存中,然后执行Map
Select
,需要服务器提供更多的内存和时间。()方法确保可能被Map的任何/所有相关实体都被立即加载,否则它们将触发延迟加载或被保留为#null。这可能会在实际上几乎不需要这些相关数据的情况下消耗大量时间和内存。使用
ProjectTo
投影,查询将自动获取所需的任何相关详细信息,而无需立即加载关系或触发延迟加载的开销。