委托之间的区别.开始在 C# 中调用和使用 ThreadPool 线程
本文关键字:调用 线程 ThreadPool 之间 区别 开始 | 更新日期: 2023-09-27 18:32:19
在C#中使用委托异步执行某些工作(调用BeginInvoke())和使用ThreadPool线程(如下所示)之间有什么区别
public void asynchronousWork(object num)
{
//asynchronous work to be done
Console.WriteLine(num);
}
public void test()
{
Action<object> myCustomDelegate = this.asynchronousWork;
int x = 7;
//Using Delegate
myCustomDelegate.BeginInvoke(7, null, null);
//Using Threadpool
ThreadPool.QueueUserWorkItem(new WaitCallback(asynchronousWork), 7);
Thread.Sleep(2000);
}
编辑:
BeginInvoke 确保线程池中的线程用于执行异步代码,那么有什么区别吗?
Joe Duffy在他的Concurrent Programming on Windows
书(第418页)中这样评价Delegate.BeginInvoke
:
按照惯例,所有委托类型都提供 BeginInvoke 和
EndInvoke
方法以及普通同步Invoke
方法。虽然这是一个很好的编程模型功能,但您应该尽可能远离它们。该实现使用远程处理基础结构,这会给异步调用带来相当大的开销。将工作直接排队到线程池通常是一种更好的方法,尽管这意味着您必须自己协调会合逻辑。
编辑:我创建了以下相对开销的简单测试:
int counter = 0;
int iterations = 1000000;
Action d = () => { Interlocked.Increment(ref counter); };
var stopwatch = new System.Diagnostics.Stopwatch();
stopwatch.Start();
for (int i = 0; i < iterations; i++)
{
var asyncResult = d.BeginInvoke(null, null);
}
do { } while(counter < iterations);
stopwatch.Stop();
Console.WriteLine("Took {0}ms", stopwatch.ElapsedMilliseconds);
Console.ReadLine();
在我的机器上,上述测试在大约 20 秒内运行。将BeginInvoke
呼叫替换为
System.Threading.ThreadPool.QueueUserWorkItem(state =>
{
Interlocked.Increment(ref counter);
});
将运行时间更改为 864 毫秒。