在C#中,SortedDictionary是一个有序字典,它根据键的顺序存储和排序元素。要删除SortedDictionary中的元素,您可以使用Remove()
方法。以下是一个示例:
using System;
using System.Collections.Generic;
class Program
{
static void Main()
{
SortedDictionary<int, string> mySortedDictionary = new SortedDictionary<int, string>();
// 添加元素到SortedDictionary
mySortedDictionary.Add(3, "three");
mySortedDictionary.Add(1, "one");
mySortedDictionary.Add(2, "two");
Console.WriteLine("Original SortedDictionary:");
foreach (KeyValuePair<int, string> item in mySortedDictionary)
{
Console.WriteLine("{0}: {1}", item.Key, item.Value);
}
// 删除SortedDictionary中的元素
int keyToRemove = 2;
if (mySortedDictionary.ContainsKey(keyToRemove))
{
mySortedDictionary.Remove(keyToRemove);
Console.WriteLine($"Element with key {keyToRemove} removed.");
}
else
{
Console.WriteLine($"Element with key {keyToRemove} not found.");
}
Console.WriteLine("\nSortedDictionary after removal:");
foreach (KeyValuePair<int, string> item in mySortedDictionary)
{
Console.WriteLine("{0}: {1}", item.Key, item.Value);
}
}
}
在这个示例中,我们首先创建了一个SortedDictionary,并添加了一些元素。然后,我们使用Remove()
方法删除了键为2的元素。最后,我们遍历SortedDictionary并输出其内容。