📜  C#HashSet

📅  最后修改于: 2020-10-31 04:25:34             🧑  作者: Mango

C#哈希集

C#HashSet类可用于存储,删除或查看元素。它不存储重复的元素。如果您只需要存储唯一元素,则建议使用HashSet类。在System.Collections.Generic命名空间中找到它。

C#哈希集

让我们看一个通用HashSet的例子使用Add()方法存储元素并使用for-each循环迭代元素的类。

using System;
using System.Collections.Generic;

public class HashSetExample
{
    public static void Main(string[] args)
    {
        // Create a set of strings
        var names = new HashSet();
        names.Add("Sonoo");
        names.Add("Ankit");
        names.Add("Peter");
        names.Add("Irfan");
        names.Add("Ankit");//will not be added
        
        // Iterate HashSet elements using foreach loop
        foreach (var name in names)
        {
            Console.WriteLine(name);
        }
    }
}

输出:

Sonoo
Ankit
Peter
Irfan

C#哈希集例子2

让我们看看通用HashSet的另一个示例使用Collection初始值设定项存储元素的类。

using System;
using System.Collections.Generic;

public class HashSetExample
{
    public static void Main(string[] args)
    {
        // Create a set of strings
        var names = new HashSet(){"Sonoo", "Ankit", "Peter", "Irfan"};
        
        // Iterate HashSet elements using foreach loop
        foreach (var name in names)
        {
            Console.WriteLine(name);
        }
    }
}

输出:

Sonoo
Ankit
Peter
Irfan