¿Cómo actualizar el valor de una clave específica en un diccionario Dictionary<string, int>
?
¿Cómo actualizar el valor de una clave específica en un diccionario Dictionary<string, int>
?
Respuestas:
Simplemente apunte al diccionario en la clave dada y asigne un nuevo valor:
myDictionary[myKey] = myNewValue;
Es posible accediendo a la clave como índice
por ejemplo:
Dictionary<string, int> dictionary = new Dictionary<string, int>();
dictionary["test"] = 1;
dictionary["test"] += 1;
Console.WriteLine (dictionary["test"]); // will print 2
++dictionary["test"];
o dictionary["test"]++;
solo si hay una entrada en el diccionario con el valor clave "prueba" - ejemplo: if(dictionary.ContainsKey("test")) ++dictionary["test"];
else dictionary["test"] = 1; // create entry with key "test"
Puedes seguir este enfoque:
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);
}
}
La ventaja que obtienes aquí es que verificas y obtienes el valor de la clave correspondiente en solo 1 acceso al diccionario. Si usa ContainsKey
para verificar la existencia y actualiza el valor usando, dic[key] = val + newValue;
entonces está accediendo al diccionario dos veces.
dic.Add(key, newValue);
usted puede usar el uso dic[key] = newvalue;
.
Use LINQ: acceda al diccionario para la clave y cambie el valor
Dictionary<string, int> dict = new Dictionary<string, int>();
dict = dict.ToDictionary(kvp => kvp.Key, kvp => kvp.Value + 1);
Aquí hay una manera de actualizar por un índice muy parecido a foo[x] = 9
donde x
es una clave y 9 es el valor
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;
}
}
actualizar : modificar solo existente. Para evitar el efecto secundario del uso del indexador:
int val;
if (dic.TryGetValue(key, out val))
{
// key exist
dic[key] = val;
}
actualizar o (agregar nuevo si el valor no existe en dic)
dic[key] = val;
por ejemplo:
d["Two"] = 2; // adds to dictionary because "two" not already present
d["Two"] = 22; // updates dictionary because "two" is now present
Esto puede funcionar para usted:
Escenario 1: tipos primitivos
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;
Escenario 2: El enfoque que utilicé para una Lista como valor
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;
Espero que sea útil para alguien que necesite ayuda.