在C#中,字典(Dictionary)本身是無序的數據結構,但你可以對字典的鍵或值進行排序后再遍歷。以下是一種常見的方法:
using System;
using System.Collections.Generic;
using System.Linq;
class Program
{
static void Main()
{
Dictionary<string, int> dict = new Dictionary<string, int>
{
{"apple", 10},
{"banana", 5},
{"orange", 8}
};
// 按照鍵排序
var sortedKeys = dict.Keys.OrderBy(key => key);
foreach (var key in sortedKeys)
{
Console.WriteLine($"{key}: {dict[key]}");
}
// 按照值排序
var sortedValues = dict.OrderBy(pair => pair.Value);
foreach (var pair in sortedValues)
{
Console.WriteLine($"{pair.Key}: {pair.Value}");
}
}
}
在上面的示例中,我們首先按照字典的鍵進行排序,然后遍歷輸出鍵值對;然后按照字典的值進行排序,再次遍歷輸出鍵值對。你也可以根據具體的需求選擇要排序的方式,比如按照鍵或值的升序或降序來排序。