在 C# 中更新字典值

Fil Zjazel Romaeus Villegas 2023年10月12日
在 C# 中更新字典值

本教程將演示如何更新 C# 字典中的現有值。

dictionary 是一種集合型別,與只能通過索引或值本身訪問值的陣列或列表不同,字典使用鍵和值對來儲存其資料。

Dictionary<TKey, TValue>() dict = new Dictionary<TKey, TValue>();

字典中的鍵和值可以定義為使用任何型別,但必須在整個字典中保持一致。

字典中的鍵必須具有以下特徵:

  • 鍵不能為空
  • 鍵必須是唯一的;不允許重複
  • 鍵必須與初始化時定義的型別相同

要引用字典中的值,你必須使用它的鍵作為索引。從那裡,你可以編輯現有值。

例子:

using System;
using System.Collections.Generic;

namespace UpdateDictionary_Example {
  class Program {
    static void Main(string[] args) {
      // Initializing the dictionary with a STRING key and a DOUBLE value
      Dictionary<string, double> dict = new Dictionary<string, double>();

      // Creating a new dictionary key with the initial value
      dict["Apple"] = 1.99;
      Console.WriteLine("An apple costs: " + dict["Apple"].ToString());

      // Editing the value of the item with the key value "Apple"
      dict["Apple"] = 2.99;
      Console.WriteLine("An apple now costs: " + dict["Apple"].ToString());
    }
  }
}

在上面的示例中,字典首先被初始化,將其鍵定義為字串,將其值定義為雙精度。你可以觀察到,由於字典在更新其值之前首先檢查鍵是否存在,因此將新記錄新增到字典和更新記錄的語法是相同的。字典的 Apple 成本與其初始成本和更新成本一起列印。

輸出:

An apple costs: 1.99
An apple now costs: 2.99

相關文章 - Csharp Dictionary