有人可以展示如何在不创建多个线程的情况下发出并发请求吗?例如,我想要一个发出 100 个 Web 请求的程序,并且我不希望任何时候有超过 8 个并发请求。我不想为 8 个并发请求创建 8 个线程。当一个线程发出异步请求时,同一个线程可用于发出下一个请求,依此类推。很抱歉,但我无法解决这个问题,并希望看到最好的解决方案。如果不清楚,我正在谈论的请求是异步的。我希望看到一个不使用任何锁并使用内置类来完成工作的解决方案。
这是我想出的一些代码,但它没有做它应该做的事情。
Task.Run(async () =>
{
var outstandingRequests = 0;
var requestCount = 0;
var tasks = new List<Task>(concurrentRequests);
while (requestCount < maxRequests)
{
if (outstandingRequests < concurrentRequests)
{
tasks.Add(svc.GetDataAsync()); // a method that makes an async request
Interlocked.Increment(ref outstandingRequests);
}
else
{
var t = await Task.WhenAny(tasks);
Interlocked.Decrement(ref outstandingRequests);
Interlocked.Increment(ref requestCount);
}
}
await Task.WhenAll(tasks);
}).Wait();
输出:
[] 1 Sending Request...Received Response 490,835.00 bytes in 15.6 sec
[] 2 Sending Request...
[] 3 Sending Request...
[] 4 Sending Request...
[] 5 Sending Request...
[] 6 Sending Request...
[] 7 Sending Request...
[] 8 Sending Request...
[] 9 Sending Request...
我设置concurrentRequests
为 5,所以上面的代码中有一些错误,因为它并行发出 8 个请求。最初它只并行发出 5 个请求,但一旦一个请求完成,它就又触发了 4 个请求(应该只触发一个)。
不得不修复一些错误,但现在一切都解决了:
Task.Run(async () =>
{
var outstandingRequests = 0;
var requestCount = 0;
// adding and removing from a List<> at the same time is not thread-safe,
// so have to use a SynchronizedCollection<>
var tasks = new SynchronizedCollection<Task>();
while (requestCount < maxRequests)
{
if (outstandingRequests < concurrentRequests)
{
tasks.Add(svc.GetDataAsync(uri)); // this will be your method that makes async web call and returns a Task to signal completion of async call
Interlocked.Increment(ref outstandingRequests);
Interlocked.Increment(ref requestCount);
}
else
{
**tasks.Remove(await Task.WhenAny(tasks));**
Interlocked.Decrement(ref outstandingRequests);
}
}
await Task.WhenAll(tasks);
}).Wait();
如果有更好的方法,请告诉我。