您好,这是我如何从C 7之后的Dictionary MyAge Value中获取值
static void Main(string[] args)
{
List<User> userlist = new List<User>();
User a = new User();
a.name = "a";
a.surname = "asur";
a.age = 19;
User b = new User();
b.name = "b";
b.surname = "bsur";
b.age = 20;
userlist.Add(a);
userlist.Add(b);
var userlistdict = userlist.ToDictionary(x => x.name,x=> new {x.surname,x.age });
if(userlistdict.TryGetValue("b", out var myage)) //myage
Console.WriteLine(myage.age);
}
}
public class User {
public string name { get; set; }
public string surname { get; set; }
public int age { get; set; }
}
好的结果是:20
但在C 7之前,我怎么能从字典里得到我的年龄值呢?我找不到其他方法。只是在trygetvalue方法中找到declare myage。
最佳答案
三种选择:
首先,可以编写这样的扩展方法:
public static TValue GetValueOrDefault<TKey, TValue>(
this IDictionary<TKey, TValue> dictionary,
TKey key)
{
TValue value;
dictionary.TryGetValue(dictionary, out value);
return value;
}
那就叫:
var result = userlist.GetValueOrDefault("b");
if (result != null)
{
...
}
其次,可以通过提供一个虚拟值来将
var
与out
一起使用:var value = new { surname = "", age = 20 };
if (userlist.TryGetValue("b", out value))
{
...
}
或根据评论:
var value = userlist.Values.FirstOrDefault();
if (userlist.TryGetValue("b", out value))
{
...
}
第三,您可以首先使用
ContainsKey
:if (userlist.ContainsKey("b"))
{
var result = userlist["b"];
...
}