我有一个模型在实体框架与父子关系在同一表。这是一个0,1到多的映射。现在它有很多属性,在一个场景中,我不需要所有这些属性,只需要Id, Name和Children。
public partial class Foo
{
public Foo()
{
this.As = new HashSet<A>();
this.Children = new HashSet<Foo>();
this.Bs = new HashSet<B>();
}
public int FooId { get; set; }
public Nullable<int> ParentId { get; set; }
public string ParentName { get; set; }
public string Name { get; set; }
//... many more
public virtual ICollection<A> As { get; set; }
public virtual ICollection<Foo> Children { get; set; }
public virtual Foo Foo2 { get; set; }
public virtual ICollection<B> Bs { get; set; }
}
我想把这些列表转换成
public class FooModel
{
public FooModel()
{
this.Children = new HashSet<FooModel>();
}
public int FooId { get; set; }
public Nullable<int> ParentId { get; set; }
public string Name { get; set; }
public virtual ICollection<FooModel> Children { get; set; }
public virtual FooModel Foo2 { get; set; }
}
我的做法如下。
db.Foos.Where(p => p.ParentId == null).Cast<FooModel>().ToList();
和得到错误
无法强制转换类型的对象"System.Data.Entity.DynamicProxies。foo_alongnoin十六进制'的类型"Namespace.ViewModel.FooModel"。
是否有任何方法可以将树结构转换为树的视图模型?
如果定义了用户定义的转换,则Cast<>
扩展方法不应用用户定义的转换。它只能强制转换为接口或所提供类型的类层次结构。
尝试定义一个接受你的模型的构造函数,例如
public class FooModel
{
public FooModel(Foo myFoo)
{
this.Children = new HashSet<FooModel>();
if(myFoo != null)
{
FooId = myFoo.FooId;
ParentId = myFoo.ParentId;
Name = myFoo.Name;
//Foo2 = new FooModel(myFoo.Foo2);
Childern = myFoo.Children.Select(c=> new FooModel(c));
}
}
public int FooId { get; set; }
public Nullable<int> ParentId { get; set; }
public string Name { get; set; }
public virtual ICollection<FooModel> Children { get; set; }
public virtual FooModel Foo2 { get; set; }
}
使用它:
db.Foos.Where(p => p.ParentId == null).Select(c => new FooModel(c)).ToList();