将字典的值列表转换为数组的最有效方法是什么?
例如,如果我有Dictionary
where Key
isString
和Value
is Foo
,我想得到Foo[]
我正在使用 VS 2005,C# 2.0
将字典的值列表转换为数组的最有效方法是什么?
例如,如果我有Dictionary
where Key
isString
和Value
is Foo
,我想得到Foo[]
我正在使用 VS 2005,C# 2.0
// dict is Dictionary<string, Foo>
Foo[] foos = new Foo[dict.Count];
dict.Values.CopyTo(foos, 0);
// or in C# 3.0:
var foos = dict.Values.ToArray();
将其存储在列表中。它更容易;
List<Foo> arr = new List<Foo>(dict.Values);
当然,如果你特别想要它在一个数组中;
Foo[] arr = (new List<Foo>(dict.Values)).ToArray();
Values 上有一个 ToArray() 函数:
Foo[] arr = new Foo[dict.Count];
dict.Values.CopyTo(arr, 0);
但我认为它效率不高(我还没有真正尝试过,但我猜它会将所有这些值复制到数组中)。你真的需要一个数组吗?如果没有,我会尝试通过 IEnumerable:
IEnumerable<Foo> foos = dict.Values;
如果您想使用 linq,那么您可以尝试以下操作:
Dictionary<string, object> dict = new Dictionary<string, object>();
var arr = dict.Select(z => z.Value).ToArray();
我不知道哪个更快或更好。两者都为我工作。
如今,一旦有了 LINQ,就可以将字典键及其值转换为单个字符串。
您可以使用以下代码:
// convert the dictionary to an array of strings
string[] strArray = dict.Select(x => ("Key: " + x.Key + ", Value: " + x.Value)).ToArray();
// convert a string array to a single string
string result = String.Join(", ", strArray);