利用C# Map集合實(shí)現(xiàn)數(shù)據(jù)的快速檢索

c#
小樊
109
2024-09-04 15:49:41

在C#中,Map集合通常是指Dictionary<TKey, TValue>

using System;
using System.Collections.Generic;

class Program
{
    static void Main()
    {
        // 創(chuàng)建一個(gè)字典,鍵為字符串,值為整數(shù)
        Dictionary<string, int> map = new Dictionary<string, int>();

        // 向字典中添加數(shù)據(jù)
        map.Add("apple", 1);
        map.Add("banana", 2);
        map.Add("orange", 3);

        // 檢索并輸出"apple"對(duì)應(yīng)的值
        if (map.TryGetValue("apple", out int value))
        {
            Console.WriteLine($"The value of 'apple' is: {value}");
        }
        else
        {
            Console.WriteLine("Key not found.");
        }

        // 更新"apple"的值
        map["apple"] = 4;

        // 刪除"banana"
        map.Remove("banana");

        // 遍歷字典并輸出所有鍵值對(duì)
        foreach (var item in map)
        {
            Console.WriteLine($"Key: {item.Key}, Value: {item.Value}");
        }
    }
}

在這個(gè)示例中,我們首先創(chuàng)建了一個(gè)Dictionary<string, int>類型的變量map。然后,我們向字典中添加了三個(gè)鍵值對(duì)。接下來(lái),我們使用TryGetValue方法檢索并輸出"apple"對(duì)應(yīng)的值。之后,我們更新"apple"的值,并刪除"banana"。最后,我們遍歷字典并輸出所有鍵值對(duì)。

0