在 C# 中比较两个列表

Muhammad Maisam Abbas 2024年2月16日
  1. 用 C# 中的 Linq 方法比较列表以查找差异
  2. 用 C# 中的 List.Contains() 函数比较列表以寻找差异
在 C# 中比较两个列表

本教程将讨论在 C# 中比较两个列表以寻找差异的方法。

用 C# 中的 Linq 方法比较列表以查找差异

考虑以下情况,我们有两个列表,分别是 list1list2,我们想知道 list1 中哪些元素不在 list2 中,而 list2 中哪些元素不在 list1 中。可以使用 Linq 中的 Except() 函数来完成。Linq 或语言集成查询用于查询 C# 中的数据结构。Except() 函数返回一个列表的一组元素,这些元素在另一个列表中不存在。下面的代码例子向我们展示了如何用 C# 中的 Linq 来比较两个列表的差异。

using System;
using System.Collections.Generic;
using System.Linq;

namespace compare_lists {
  class Program {
    static void Main(string[] args) {
      List<int> list1 = new List<int> { 1, 1, 2, 3, 4 };
      List<int> list2 = new List<int> { 3, 4, 5, 6 };
      List<int> firstNotSecond = list1.Except(list2).ToList();
      var secondNotFirst = list2.Except(list1).ToList();
      Console.WriteLine("Present in List1 But not in List2");
      foreach (var x in firstNotSecond) {
        Console.WriteLine(x);
      }
      Console.WriteLine("Present in List2 But not in List1");
      foreach (var y in secondNotFirst) {
        Console.WriteLine(y);
      }
    }
  }
}

输出:

Present in List1 But not in List2
1
2
Present in List2 But not in List1
5
6

我们在上面的代码中比较了列表 list1list2 的差异。我们首先将存在于 list1 但不在 list2 中的元素存储在新的列表 firstNotSecond 中。然后我们把存在于 list2 但不在 list1 中的元素存储在新的列表 secondNotFirst 中。最后,我们同时打印了 firstNotSecondsecondNotFirst 列表中的元素。唯一的缺点是,一个列表中不存在于另一列表中的任何重复值将仅被打印一次。

用 C# 中的 List.Contains() 函数比较列表以寻找差异

List.Contains() 函数用于确定 C# 中列表中是否存在元素。如果列表中存在元素 x,则 List.Contains(x) 函数将返回 true;如果元素 x 不存在,则该函数将返回 false。我们可以对 Linq 使用 List.Contains() 方法来确定哪些元素存在于一个列表中,而不存在于另一个列表中。下面的代码示例向我们展示了如何使用 C# 中的 List.Contains() 函数比较两个列表的差异。

using System;
using System.Collections.Generic;
using System.Linq;

namespace compare_lists {
  class Program {
    static void Main(string[] args) {
      List<int> list1 = new List<int> { 1, 2, 3, 4 };
      List<int> list2 = new List<int> { 3, 4, 5, 6 };
      var firstNotSecond = list1.Where(i => !list2.Contains(i)).ToList();
      var secondNotFirst = list2.Where(i => !list1.Contains(i)).ToList();
      Console.WriteLine("Present in List1 But not in List2");
      foreach (var x in firstNotSecond) {
        Console.WriteLine(x);
      }
      Console.WriteLine("Present in List2 But not in List1");
      foreach (var y in secondNotFirst) {
        Console.WriteLine(y);
      }
    }
  }
}

输出:

Present in List1 But not in List2
1
1
2
Present in List2 But not in List1
5
6

我们比较了列表 list1list2 在上述代码中的区别。我们首先将元素存在于列表 1 中,而不是存储在新列表 firstNotSecond 中的列表 2 中。然后,我们将存在于列表 2 中但不存在于列表 1 中的元素存储在新列表 secondNotFirst 中。最后,我们同时打印了 firstNotSecondsecondNotFirst 列表中的元素。在此,输出被重复与重复值一样多的次数。如果我们要考虑重复值,则该方法应该比以前的方法更可取。

Muhammad Maisam Abbas avatar Muhammad Maisam Abbas avatar

Maisam is a highly skilled and motivated Data Scientist. He has over 4 years of experience with Python programming language. He loves solving complex problems and sharing his results on the internet.

LinkedIn

相关文章 - Csharp List