温馨提示×

c#集合怎样避免重复

c#
小樊
82
2024-11-20 13:14:37
栏目: 编程语言

在C#中,集合默认情况下可能会包含重复的元素。为了避免这种情况,您可以使用以下几种方法:

  1. 使用HashSet类:HashSet类是一个无序且不包含重复元素的集合。要使用HashSet,请从System.Collections.Generic命名空间中添加引用。
using System.Collections.Generic;

List<int> numbers = new List<int> { 1, 2, 3, 4, 4, 5, 6, 6, 7 };
HashSet<int> uniqueNumbers = new HashSet<int>(numbers);
  1. 使用Dictionary类:Dictionary类是一个键值对集合,它不允许重复的键。您可以将集合中的元素作为键添加到字典中。
using System.Collections.Generic;

List<int> numbers = new List<int> { 1, 2, 3, 4, 4, 5, 6, 6, 7 };
Dictionary<int, bool> uniqueNumbers = new Dictionary<int, bool>();

foreach (int number in numbers)
{
    uniqueNumbers[number] = true;
}
  1. 使用LINQ的Distinct方法:如果您使用的是IEnumerable集合,可以使用LINQ的Distinct方法来去除重复元素。
using System.Collections.Generic;
using System.Linq;

List<int> numbers = new List<int> { 1, 2, 3, 4, 4, 5, 6, 6, 7 };
List<int> uniqueNumbers = numbers.Distinct().ToList();

请注意,以上方法可能会更改元素的顺序。如果您需要保持原始顺序,可以使用以下方法:

  1. 使用SortedSet类:SortedSet类是一个有序且不包含重复元素的集合。要使用SortedSet,请从System.Collections.Generic命名空间中添加引用。
using System.Collections.Generic;

List<int> numbers = new List<int> { 1, 2, 3, 4, 4, 5, 6, 6, 7 };
SortedSet<int> uniqueNumbers = new SortedSet<int>(numbers);
  1. 使用OrderedDictionary类:OrderedDictionary类是一个有序字典,它不允许重复的键。您可以将集合中的元素作为键添加到OrderedDictionary中。
using System.Collections.Generic;

List<int> numbers = new List<int> { 1, 2, 3, 4, 4, 5, 6, 6, 7 };
OrderedDictionary uniqueNumbers = new OrderedDictionary();

foreach (int number in numbers)
{
    uniqueNumbers[number] = true;
}

0