假设我有一个包含 30 个属性的对象列表(例如:Items
(
如果我使用 LINQ 查询语法来Join
另一个对象(例如:Store
(,那么我似乎不可避免地必须重新分配Item
中的每个属性,对吗?
例如:
var temp = from a in items
join b in stores on a.storeKey = b.storeKey into b2
from c in b2.DefaultIfEmpty()
select new ItemViewModel()
{
p1 = a.p1,
p2 = a.p2,
....
p30 = a.p2, //re-assign 30 times (T.T)
storeInfo1 = c.storeInfo1 //all i want is 1 or 2 additional info from store
}
您可以使用像AutoMapper这样的库。对于a
和ItemViewModel
之间相同的属性名称,它可以使用反射为您执行映射,对于具有不同名称的属性,您可以定义手动映射,对于来自其他对象(b 和 c(的属性,您可以使用帮助程序。
像这样:
var temp = from a in items
join b in stores on a.storeKey = b.storeKey into b2
from c in b2.DefaultIfEmpty()
select CreateModelFrom(a, b, c);
public ItemViewModel CreateModelFrom(ObjA a, ObjB b, ObjC c)
{
var model = Mapper.Map<ObjA, ItemViewModel>();
model.xxx = b.xxx;
model.storeInfo1 = c.storeInfo1;
return model;
}
看到要求,我认为您应该更改类结构。他们有两种方式
- ItemViewModel 应派生自与项相同的类或
- 它应该在其中有一个属性
我正在以第二种方式写作
class Item
{
string p1;
......
}
class ItemViewModel
{
string p1;
......
string storeInfo1;
Item item;
ItemViewModel(Item item, string storeInfo)
{
this.item= item;
this.storeInfo1 = storeInfo;
}
}
var temp = from a in items
join b in stores on a.storeKey = b.storeKey into b2
from c in b2.DefaultIfEmpty()
select new ItemViewModel(a, c.storeInfo1);