如何根据检查键值
从keyvaluepair列表中选择值List<KeyValuePair<int, List<Properties>> myList = new List<KeyValuePair<int, List<Properties>>();
我希望得到
list myList[2].Value when myLisy[2].Key=5.
我怎样才能实现这个目标?
答案 0 :(得分:19)
如果你还需要使用List,我会使用LINQ来查询:
var matches = from val in myList where val.Key == 5 select val.Value;
foreach (var match in matches)
{
foreach (Property prop in match)
{
// do stuff
}
}
您可能需要检查匹配是否为空。
答案 1 :(得分:8)
如果你坚持使用List,你可以使用
myList.First(kvp => kvp.Key == 5).Value
或者,如果您想使用字典(可能比其他答案中所述的列表更适合您的需求),您可以轻松地将列表转换为字典:
var dictionary = myList.ToDictionary(kvp => kvp.Key);
var value = dictionary[5].Value;
答案 2 :(得分:3)
使用Dictionary<int, List<Properties>>
。然后就可以了
List<Properties> list = dict[5];
如:
Dictionary<int, List<Properties>> dict = new Dictionary<int, List<Properties>>();
dict[0] = ...;
dict[1] = ...;
dict[5] = ...;
List<Properties> item5 = dict[5]; // This works if dict contains a key 5.
List<Properties> item6 = null;
// You might want to check whether the key is actually in the dictionary. Otherwise
// you might get an exception
if (dict.ContainsKey(6))
item6 = dict[6];
答案 3 :(得分:0)
注意强>
.NET 2.0中引入的通用Dictionary类使用KeyValuePair。
您可以更好地利用
Dictionary<TKey, TValue>.ICollection<KeyValuePair<TKey, TValue>>
并使用ContainsKey Method
检查密钥是否存在..
示例:
ICollection<KeyValuePair<String, String>> openWith =
new Dictionary<String, String>();
openWith.Add(new KeyValuePair<String,String>("txt", "notepad.exe"));
openWith.Add(new KeyValuePair<String,String>("bmp", "paint.exe"));
openWith.Add(new KeyValuePair<String,String>("dib", "paint.exe"));
openWith.Add(new KeyValuePair<String,String>("rtf", "wordpad.exe"));
if (!openWith.ContainsKey("txt"))
{
Console.WriteLine("Contains Given key");
}
编辑
获得价值
string value = "";
if (openWith.TryGetValue("tif", out value))
{
Console.WriteLine("For key = \"tif\", value = {0}.", value);
//in you case
//var list= dict.Values.ToList<Property>();
}
在你的案例中它将是
var list= dict.Values.ToList<Property>();