我有一个场景,我想查询包含两个EntityObjects
的Context,并将结果强制转换为强类型的接口列表。
实体对象
public class CompanyEntity : EntityObject
{
public string Name { get; set; }
public EntityCollection<StaffEntity> Staff { get; set; }
}
public class StaffEntity : EntityObject
{
public string FullName { get; set; }
}
域对象
public class Company : IOrganisation
{
public string Name { get; set; }
public List<IPerson> Staff { get; set; }
}
public class StaffMember : IPerson
{
public string FullName { get; set; }
}
接口
public interface IOrganisation
{
string Name { get; set; }
List<IPerson> Staff { get; set; }
}
public interface IPerson
{
string FullName { get; set; }
}
如果我忽略StaffEntity
而只是查询CompanyEntity
,则将其转换为List<IOrganisation>
如下:
List<IOrganisation> orgs = (from c in context.Companies
select new Company
{
Name = c.Name
}).ToList<IOrganisation>();
但是当我想同时查询EntityObjects
并将关联的StaffEntity
对象投影到StaffMember
域对象时,我会遇到问题,然后将它们转换为List<IPerson>
以便它们可以被分配到Staff
对象的Company
属性。
我尝试了很多东西,我得到的最接近的如下,但是在运行时EF不喜欢呼叫.ToList<IPerson>()
:
List<IOrganisation> orgs = (from c in context.Companies.Include("Staff")
select new Company
{
Name = c.Name,
Staff = (from s in c.Staff
select new StaffMember
{
FullName = s.FullName,
}).ToList<IPerson>()
}
into results
select results).ToList<IOrganisation>();
所以我基本上需要使用LINQ to Entities查询检索接口列表的嵌套对象图。我需要域对象作为接口列表的原因是因为它们被传递到没有引用具体域对象或实体框架的其他程序集,但是它们确实引用了它们实现的接口。此外,EntityObjects
不适合实现接口,所以我想看看我问的问题是否可行。
提前致谢。
答案 0 :(得分:0)
好的,我解决了。 EF无法做我想做的事情,所以我使用EntityObjects
方法检索了我的AsEnumerable()
,从那里我能够使用LINQ to Qbjects在IEnumerable
上做我想做的事情集合。
工作解决方案如下
List<IOrganisation> orgs = context.Companies.Include("Staff")
.AsEnumerable()
.Select(c => new Company
{
CompanyName = c.CompanyName,
Staff = c.Staff.Select(s => new StaffMember
{
FullName = s.FullName
}).Cast<IPerson>().ToList()
}).Cast<IOrganisation>().ToList();