TryGetValue
是C#中的一个方法,它属于Dictionary
类。这个方法的主要作用是在字典(Dictionary)中尝试获取一个键(Key)对应的值(Value),如果该键存在于字典中,则返回对应的值,否则返回默认值。
TryGetValue
方法有两个重载版本:
public bool TryGetValue(TKey key, out TValue value)
:这个版本接受一个键(key)作为参数,并尝试返回与该键对应的值(value)。如果键存在于字典中,则value
参数将被赋予对应的值,方法返回true
;否则,value
参数将被赋予默认值(对于引用类型,默认值为null
;对于值类型,默认值为该类型的默认构造值),方法返回false
。示例:
Dictionary<string, int> myDictionary = new Dictionary<string, int>
{
{"apple", 1},
{"banana", 2},
{"orange", 3}
};
int value;
if (myDictionary.TryGetValue("apple", out value))
{
Console.WriteLine($"The value of 'apple' is {value}.");
}
else
{
Console.WriteLine("The key 'apple' does not exist in the dictionary.");
}
public bool TryGetValue(TKey key, out TValue value, TDefault defaultValue)
:这个版本除了接受一个键(key)和一个默认值(defaultValue)之外,还返回一个布尔值,表示是否成功获取到键对应的值。如果键存在于字典中,则value
参数将被赋予对应的值,方法返回true
;否则,value
参数将被赋予指定的默认值,方法返回false
。示例:
Dictionary<string, int> myDictionary = new Dictionary<string, int>
{
{"apple", 1},
{"banana", 2},
{"orange", 3}
};
int value;
if (myDictionary.TryGetValue("apple", out value, 0))
{
Console.WriteLine($"The value of 'apple' is {value}.");
}
else
{
Console.WriteLine("The key 'apple' does not exist in the dictionary.");
}