Answers:
只需指向给定键的字典并分配一个新值即可:
myDictionary[myKey] = myNewValue;
通过访问密钥作为索引是可能的
例如:
Dictionary<string, int> dictionary = new Dictionary<string, int>();
dictionary["test"] = 1;
dictionary["test"] += 1;
Console.WriteLine (dictionary["test"]); // will print 2
++dictionary["test"];
或者,dictionary["test"]++;
但前提是字典中有一个键值为“ test”的条目—例如: if(dictionary.ContainsKey("test")) ++dictionary["test"];
else dictionary["test"] = 1; // create entry with key "test"
您可以遵循以下方法:
void addOrUpdate(Dictionary<int, int> dic, int key, int newValue)
{
int val;
if (dic.TryGetValue(key, out val))
{
// yay, value exists!
dic[key] = val + newValue;
}
else
{
// darn, lets add the value
dic.Add(key, newValue);
}
}
您在这里获得的优势是,只需1次访问字典即可检查并获取相应键的值。如果ContainsKey
用于检查是否存在并使用来更新值,dic[key] = val + newValue;
那么您将两次访问字典。
dic.Add(key, newValue);
您可以使用use dic[key] = newvalue;
。
使用LINQ:访问字典的密钥并更改值
Dictionary<string, int> dict = new Dictionary<string, int>();
dict = dict.ToDictionary(kvp => kvp.Key, kvp => kvp.Value + 1);
这是一种通过索引更新的方式,就像foo[x] = 9
在哪里x
是键,而9是值
var views = new Dictionary<string, bool>();
foreach (var g in grantMasks)
{
string m = g.ToString();
for (int i = 0; i <= m.Length; i++)
{
views[views.ElementAt(i).Key] = m[i].Equals('1') ? true : false;
}
}
更新 -仅修改现有内容。为了避免使用索引器的副作用:
int val;
if (dic.TryGetValue(key, out val))
{
// key exist
dic[key] = val;
}
更新或(如果dic中不存在值,则添加新的)
dic[key] = val;
例如:
d["Two"] = 2; // adds to dictionary because "two" not already present
d["Two"] = 22; // updates dictionary because "two" is now present
这可能对您有用:
方案1:原始类型
string keyToMatchInDict = "x";
int newValToAdd = 1;
Dictionary<string,int> dictToUpdate = new Dictionary<string,int>{"x",1};
if(!dictToUpdate.ContainsKey(keyToMatchInDict))
dictToUpdate.Add(keyToMatchInDict ,newValToAdd );
else
dictToUpdate[keyToMatchInDict] = newValToAdd; //or you can do operations such as ...dictToUpdate[keyToMatchInDict] += newValToAdd;
方案2:我将列表用作值的方法
int keyToMatch = 1;
AnyObject objInValueListToAdd = new AnyObject("something for the Ctor")
Dictionary<int,List<AnyObject> dictToUpdate = new Dictionary<int,List<AnyObject>(); //imagine this dict got initialized before with valid Keys and Values...
if(!dictToUpdate.ContainsKey(keyToMatch))
dictToUpdate.Add(keyToMatch,new List<AnyObject>{objInValueListToAdd});
else
dictToUpdate[keyToMatch] = objInValueListToAdd;
希望它对需要帮助的人有用。