使用LINQ确定列表中独特的元素
我们需要识别只存在于一个列表中,而不存在于其他列表中的元素。LINQ为这一挑战提供了一个简洁的解决方案。
考虑以下代码片段:
<code class="language-csharp">class Program { static void Main(string[] args) { // 初始化两个Person对象列表。 List<Person> peopleList1 = new List<Person>(); peopleList1.Add(new Person() { ID = 1 }); peopleList1.Add(new Person() { ID = 2 }); peopleList1.Add(new Person() { ID = 3 }); List<Person> peopleList2 = new List<Person>(); peopleList2.Add(new Person() { ID = 1 }); peopleList2.Add(new Person() { ID = 2 }); peopleList2.Add(new Person() { ID = 3 }); peopleList2.Add(new Person() { ID = 4 }); peopleList2.Add(new Person() { ID = 5 }); } } class Person { public int ID { get; set; } }</code>
假设我们想要确定peopleList2中哪些人在peopleList1中不存在。为此,我们可以利用LINQ的Where()方法。
一种方法是使用Any()方法:
<code class="language-csharp">var result = peopleList2.Where(p => !peopleList1.Any(p2 => p2.ID == p.ID));</code>
此查询检查peopleList2中的每个人,查看peopleList1中是否存在ID相同的任何人。如果没有匹配项,则该人员包含在结果中。
或者,表达相同逻辑的更简洁的方法是:
<code class="language-csharp">var result = peopleList2.Where(p => peopleList1.All(p2 => p2.ID != p.ID));</code>
在这种情况下,All()检查peopleList1中的所有人员的ID是否与peopleList2中当前人员的ID不同。如果此条件成立,则该人员包含在结果中。
注意: 重要的是要注意,这两种方法都执行O(n*m)操作,这可能会导致大型数据集的性能问题。可能需要其他方法来优化性能。提供的LINQ语法为问题提供了一个简单的解决方案,但始终建议根据项目的性能要求进行评估。
以上是LINQ如何高效识别多个列表中一个列表唯一的元素?的详细内容。更多信息请关注PHP中文网其他相关文章!