温馨提示×

c# hashset怎样去重

c#
小樊
81
2024-11-15 22:29:13
栏目: 编程语言

在C#中,HashSet类是一个无序的集合,它不允许重复元素。要使用HashSet去重,只需将需要去重的元素添加到HashSet中即可。以下是一个简单的示例:

using System;
using System.Collections.Generic;

class Program
{
    static void Main()
    {
        // 创建一个HashSet
        HashSet<int> myHashSet = new HashSet<int>();

        // 添加元素到HashSet
        myHashSet.Add(1);
        myHashSet.Add(2);
        myHashSet.Add(3);
        myHashSet.Add(2); // 重复元素,不会被添加到HashSet中

        // 输出HashSet中的元素
        Console.WriteLine("HashSet中的元素:");
        foreach (int item in myHashSet)
        {
            Console.WriteLine(item);
        }
    }
}

在这个示例中,我们创建了一个名为myHashSet的HashSet,并向其中添加了4个整数。其中,数字2被添加了两次,但由于HashSet不允许重复元素,所以第二次添加的2不会被添加到HashSet中。最后,我们使用foreach循环输出HashSet中的所有元素。

0