我的第一个问题是:Linq lambda expression many to many table select
我使用服务器端的数据服务从客户端的db中检索数据。我知道数据服务不支持分组。
致电客户端:
public List<Lottery> GetLotteriesByLotteryOfferId(int lotteryOfferId)
{
var query = this.ClientRepositories.BackOfficeData.CreateQuery<Lottery>("GetLotteriesByLotteryOfferId")
.AddQueryOption("lotteryOfferId", lotteryOfferId).ToList();
return query;
}
我的lambda查询无法正常工作的服务器端:
public IQueryable<Lottery> GetLotteriesByLotteryOfferId(int lotteryOfferId)
{
return this.db.LotteryOffers
.Where(lo => lo.Id == lotteryOfferId)
.SelectMany(lo => lo.LotteryDrawDates)
.Select(ldd => ldd.Lottery)
.GroupBy(s => new { s.Name, s.CreatedBy, s.ModifiedOn, s.Id })
.Select(g => new Lottery
{
Name = g.Key.Name,
CreatedBy = g.Key.CreatedBy,
ModifiedOn = g.Key.ModifiedOn,
Id = g.Key.Id
});
}
我在这里收到错误:
无法在LINQ中构建实体或复杂类型“彩票” 到实体查询。
我理解,因为Group By。 我的问题是如何在客户端实现这一目标?所以我在服务器端运行查询,直到抽奖选择(没有分组部分)并在客户端通过查询部分附加额外的组?
其他问题 如果我想使用自定义viewmodel,我只是在客户端创建并选择“viewModel”类型而不是选择彩票?
示例:
.Select(g => new CustomViewModel
{
CountRows = g.Count()
});
答案 0 :(得分:1)
我认为错误是您在选择器中使用了彩票类。 LINQ to entity只能构造pur“Data Transfert Object”:只包含具有普通getter和setter且没有构造函数的公共属性的类。
class LotteryDTO
{
public string Name { get; set; }
public string CreatedBy { get; set; }
...
}
IQueryable<LotteryDTO> result = db.LotteryOffers
.Where(...)
.SelectMany(...)
.Select(...)
.GroupBy(...)
.Select(g => new LotteryDTO {
Name = g.Key.Name,
CreatedBy = g.Key.CreatedBy,
...
});
答案 1 :(得分:0)
我认为错误是LINQ to Entities无法投影到自定义类中,您应该可以通过在投影之前添加AsEnumerable来实现。
public IQueryable<Lottery> GetLotteriesByLotteryOfferId(int lotteryOfferId)
{
return this.db.LotteryOffers
.Where(lo => lo.Id == lotteryOfferId)
.SelectMany(lo => lo.LotteryDrawDates)
.Select(ldd => ldd.Lottery)
.GroupBy(s => new { s.Name, s.CreatedBy, s.ModifiedOn, s.Id })
.AsEnumerable()
.Select(g => new Lottery
{
Name = g.Key.Name,
CreatedBy = g.Key.CreatedBy,
ModifiedOn = g.Key.ModifiedOn,
Id = g.Key.Id
});
}
我也认为你对viewModel的理解是正确的。