LINQ to Entities选择子句中的可重用函数/表达式

本文关键字:函数 表达式 Entities to 选择 子句 LINQ | 更新日期: 2023-09-27 18:18:38

我有很多代码将实体转换为数据传输对象,类似于:

var result = from t in DatabaseContext.SomeTable
             where t.Value1 = someValue
             select new SomeTableDTO()
             {
                  Value1 = t.Value1,
                  Value2 = t.Value2,
                  SomeParent = new SomeParentDTO()
                  {
                      Value3 = t.SomeParent.Value3,
                      Value4 = t.SomeParent.Value4
                  }
              };

这可以工作,但问题是我一遍又一遍地重复相同的代码,因为有许多dto具有SomeParent属性。

var result = from t in DatabaseContext.SomeOtherTable
             where t.Value5 = someValue
             select new SomeOtherTableDTO()
             {
                  Value5 = t.Value5,
                  Value6 = t.Value6,
                  SomeParent = new SomeParentDTO()
                  {
                      Value3 = t.SomeParent.Value3,
                      Value4 = t.SomeParent.Value4
                  }
              };

我想做这样的事情,以便SomeParentDTO的转换可以共享:

var result = from t in DatabaseContext.SomeTable
             where t.Value1 = someValue
             select new SomeTableDTO()
             {
                  Value1 = t.Value1,
                  Value2 = t.Value2,
                  SomeParent = SomeParentConverter(t.SomeParent)
              };

.

Func<SomeParent, SomeParentDTO> SomeParentConverter = (parent) =>
{
    return new SomeParentDTO()
    {
        Value3 = parent.Value3,
        Value4 = parent.Value4
    };
};

但这当然不工作,因为Invoke不支持LINQ到实体。这个帖子似乎是在我想要的方向,但它使用一个单一的Expression传递给.Select(),这并不能解决我的DRY问题。

我有什么办法可以完成我想要的吗?

LINQ to Entities选择子句中的可重用函数/表达式

您可以使用Automapper。它支持IQueryable扩展中的映射。

文档中的部分示例:

public List<OrderLineDTO> GetLinesForOrder(int orderId)
{
    Mapper.CreateMap<OrderLine, OrderLineDTO>()
        .ForMember(dto => dto.Item, conf => conf.MapFrom(ol => ol.Item.Name);
    using (var context = new orderEntities())
    {
        return context.OrderLines.Where(ol => ol.OrderId == orderId)
                    .Project().To<OrderLineDTO>().ToList();
    }
}