说我有以下内容:
class Widget1{
public int TypeID { get; set; }
public string Color { get; set; }
}
class Widget2
{
public int TypeID { get; set; }
public string Brand { get; set; }
}
private void test()
{
List<Widget1> widgets1 = new List<Widget1>();
List<Widget2> widgets2 = new List<Widget2>();
List<Widget1> widgets1_in_widgets2 = new List<Widget1>();
//some code here to populate widgets1 and widgets2
foreach (Widget1 w1 in widgets1)
{
foreach (Widget2 w2 in widgets2)
{
if (w1.TypeID == w2.TypeID)
{
widgets1_in_widgets2.Add(w1);
}
}
}
}
我使用两个foreach循环来比较TypeID列表以填充第三个列表。 有没有其他方法使用LINQ通过TypeID比较这两个列表?也许使用Interstect或其他一些功能?
答案 0 :(得分:38)
这里你想要的是Join
。
var widgets1_in_widgets2 = from first in widgest1
join second in widgets2
on first.TypeID equals second.TypeID
select first;
Intersect
可以或多或少地被认为是Join
的一个特例,其中两个序列属于同一类型,因此可以应用于相等而不需要每种类型的投影生成要比较的密钥。鉴于您的情况,Intersect
不是一种选择。
如果第二套中的特定ID重复,并且您不希望在结果中重复该项,那么您可以使用GroupJoin
代替Join
:
var widgets1_in_widgets2 = from first in widgest1
join second in widgets2
on first.TypeID equals second.TypeID
into matches
where matches.Any()
select first;
答案 1 :(得分:37)
你可以这样做
widgets2.Where(y=>widget1.Any(z=>z.TypeID==y.TypeID));
答案 2 :(得分:3)
Join的缺点是,如果widgets1或widgets2包含具有相同TypeID的元素多于一个的元素,则结果可能会重复(顺便说一下,这也适用于原始代码)。
以下内容将完全符合您的要求:返回widgets1中所有元素,其中widgets2中存在具有相应TypeID的元素。
widgets1_in_widgets2 = (from w1 in widgets1
where widgets2.Any(w2 => w1.TypeID == w2.TypeID)
select w1).ToList()
答案 3 :(得分:2)
尝试使用&#34; Where&#34;
的重载var isMatch = !widgets1.Where((w1, index) => w1.TypeId == widgets2[index].TypeId)).Any();
答案 4 :(得分:2)
我喜欢这个解决方案,因为它很容易在代码中阅读。
bool result = firstList.All(o => secondList.Any(w => w.Prop1 == o.Prop1 && w.Prop2 == o.Prop2));
请参阅小提琴中的完整示例:Fiddle example comparation