阻止收集 - 让消费者等待



使用Microsoft Docs中的第二个示例,当我有一个非阻塞消费者时,当BlockingCollection中没有项目时,让消费者等待的首选方法是什么?文档中的示例如下所示。

static void NonBlockingConsumer(BlockingCollection<int> bc, CancellationToken ct)
{
// IsCompleted == (IsAddingCompleted && Count == 0)
while (!bc.IsCompleted)
{
int nextItem = 0;
try
{
if (!bc.TryTake(out nextItem, 0, ct))
{
Console.WriteLine(" Take Blocked");
}
else
Console.WriteLine(" Take:{0}", nextItem);
}
catch (OperationCanceledException)
{
Console.WriteLine("Taking canceled.");
break;
}
// Slow down consumer just a little to cause
// collection to fill up faster, and lead to "AddBlocked"
Thread.SpinWait(500000);
}
Console.WriteLine("rnNo more items to take.");
}

上面的示例使用SpinWait来暂停使用者。

简单地使用以下方法可能会使 CPU 非常繁忙。

if (!bc.TryTake(out var item))
{
continue;
}

让消费者等待的首选方法是什么?我计划使用几种BlockingCollection并寻找最佳的使用方式。

我建议使用Take而不是TryTake

对 Take 的调用可能会阻止,直到可以删除某个项目。

您在问题中提到的链接有一个很好的(阻止(示例:

while (!dataItems.IsCompleted)
{
Data data = null;
// Blocks if number.Count == 0
// IOE means that Take() was called on a completed collection.
// Some other thread can call CompleteAdding after we pass the
// IsCompleted check but before we call Take. 
// In this example, we can simply catch the exception since the 
// loop will break on the next iteration.
try
{
data = dataItems.Take();
}
catch (InvalidOperationException) { }
if (data != null)
{
Process(data);
}
}
Console.WriteLine("rnNo more items to take.");

相关内容

  • 没有找到相关文章

最新更新