Dictionary<TKey,TValue>泛型集合中的键与值都是string类型。 向集合中添加5个键值对,添加信息为所在学习小组中学生的学号、姓名。 调用foreach语句对集合的键值对进行遍历,并输出集合中的键
时间: 2024-10-14 17:16:03 浏览: 29
在.NET框架(如C#)中,`Dictionary<TKey,TValue>`是一种哈希表数据结构,其中`TKey`代表键的类型(这里是`string`),`TValue`代表值的类型(也是`string`)。你可以创建一个这样的字典来存储学生的信息,比如学号和姓名。
首先,你需要定义一个字典并添加五个键值对:
```csharp
using System;
using System.Collections.Generic;
class Program {
static void Main(string[] args) {
Dictionary<string, string> studentInfo = new Dictionary<string, string>();
// 添加五个键值对,键为学号,值为姓名
studentInfo.Add("001", "张三");
studentInfo.Add("002", "李四");
studentInfo.Add("003", "王五");
studentInfo.Add("004", "赵六");
studentInfo.Add("005", "小七");
// 使用foreach遍历字典的键
foreach (string key in studentInfo.Keys) {
Console.WriteLine("键:{0}", key);
}
Console.ReadLine();
}
}
```
运行这段代码,你会看到每个学生的学习小组学号在控制台上被逐一输出。
阅读全文