📅  最后修改于: 2020-10-31 10:21:17             🧑  作者: Mango
C#SortedSet类可用于存储,删除或查看元素。它保持升序,并且不存储重复的元素。如果必须存储唯一的元素并保持升序,建议使用SortedSet类。在System.Collections.Generic命名空间中找到它。
我们来看一个通用SortedSet的示例
using System;
using System.Collections.Generic;
public class SortedSetExample
{
public static void Main(string[] args)
{
// Create a set of strings
var names = new SortedSet();
names.Add("Sonoo");
names.Add("Ankit");
names.Add("Peter");
names.Add("Irfan");
names.Add("Ankit");//will not be added
// Iterate SortedSet elements using foreach loop
foreach (var name in names)
{
Console.WriteLine(name);
}
}
}
输出:
Ankit
Irfan
Peter
Sonoo
让我们看一下通用SortedSet的另一个示例
using System;
using System.Collections.Generic;
public class SortedSetExample
{
public static void Main(string[] args)
{
// Create a set of strings
var names = new SortedSet(){"Sonoo", "Ankit", "Peter", "Irfan"};
// Iterate SortedSet elements using foreach loop
foreach (var name in names)
{
Console.WriteLine(name);
}
}
}
输出:
Ankit
Irfan
Peter
Sonoo