gpt4 book ai didi

c# - 在 C# 中迭代​​字典

转载 作者:可可西里 更新时间:2023-11-01 08:05:13 24 4
gpt4 key购买 nike

var dict = new Dictionary<int, string>();
for (int i = 0; i < 200000; i++)
dict[i] = "test " + i;

我使用下面的代码迭代了这个字典:

foreach (var pair in dict)
Console.WriteLine(pair.Value);

然后,我用这个迭代它:

foreach (var key in dict.Keys)
Console.WriteLine(dict[key]);

第二次迭代少用了大约 3 秒。我可以通过这两种方法同时获取键和值。我想知道第二种方法是否有缺点。自 the most rated question我能找到的关于此的内容不包括这种迭代字典的方式,我想知道为什么没有人使用它以及它如何更快地工作。

最佳答案

您的时间测试存在一些根本性缺陷:

  • Console.Writeline 是一种 I/O 操作,它比内存访问和 CPU 计算花费的时间要多几个数量级。迭代时间的任何差异都可能与此操作的成本相比相形见绌。这就像在铸铁炉子里测量硬币的重量。
  • 你没有提到整个操作花了多长时间,所以说一个比另一个少 3 秒是没有意义的。如果运行第一个花费 300 秒,运行第二个花费 303 秒,那么您就是在进行微观优化。
  • 你没有提到你是如何测量运行时间的。运行时间是否包括程序集加载和引导的时间?
  • 您没有提到可重复性:您是否多次运行这些操作?几百次?以不同的顺序?

这是我的测试。请注意我是如何尽力确保迭代方法是唯一发生变化的方法,并且我包含一个控件来查看有多少时间纯粹是因为 for 循环和赋值而占用的:

void Main()
{
// Insert code here to set up your test: anything that you don't want to include as
// part of the timed tests.
var dict = new Dictionary<int, string>();
for (int i = 0; i < 2000; i++)
dict[i] = "test " + i;
string s = null;
var actions = new[]
{
new TimedAction("control", () =>
{
for (int i = 0; i < 2000; i++)
s = "hi";
}),
new TimedAction("first", () =>
{
foreach (var pair in dict)
s = pair.Value;
}),
new TimedAction("second", () =>
{
foreach (var key in dict.Keys)
s = dict[key];
})
};
TimeActions(100, // change this number as desired.
actions);
}


#region timer helper methods
// Define other methods and classes here
public void TimeActions(int iterations, params TimedAction[] actions)
{
Stopwatch s = new Stopwatch();
foreach(var action in actions)
{
var milliseconds = s.Time(action.Action, iterations);
Console.WriteLine("{0}: {1}ms ", action.Message, milliseconds);
}

}

public class TimedAction
{
public TimedAction(string message, Action action)
{
Message = message;
Action = action;
}
public string Message {get;private set;}
public Action Action {get;private set;}
}

public static class StopwatchExtensions
{
public static double Time(this Stopwatch sw, Action action, int iterations)
{
sw.Restart();
for (int i = 0; i < iterations; i++)
{
action();
}
sw.Stop();

return sw.Elapsed.TotalMilliseconds;
}
}
#endregion

结果

control: 1.2173ms
first: 9.0233ms
second: 18.1301ms

因此在这些测试中,使用索引器所花的时间大约是迭代键值对的两倍,这正是我所期望的*。如果我将条目数和重复次数增加一个数量级,这将保持大致成比例,如果我以相反的顺序运行这两个测试,我会得到相同的结果。

* 为什么我会期待这个结果? Dictionary 类可能在内部将其条目表示为 KeyValuePairs,因此当您直接迭代它时,它真正需要做的就是遍历其数据结构一次,将每个条目交给调用者。如果您只迭代 Keys,它仍然需要找到每个 KeyValuePair,并从中为您提供 Key 属性的值,因此单独这一步的成本大约是与首先遍历它的数量相同。然后你必须调用索引器,它必须为提供的键计算哈希,跳转到正确的哈希表桶,并对它在那里找到的任何 KeyValuePairs 的键进行相等性检查。这些操作的开销并不大,但是一旦执行 N 次,其开销就大致与再次迭代内部哈希表结构一样。

关于c# - 在 C# 中迭代​​字典,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/11529367/

24 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com