尝试在ConcurrentQueue中出列队列

时间:2011-02-16 08:24:13

标签: c# producer-consumer concurrent-queue

如果队列中没有项目,则ConcurrentQueue中的TryDequeue将返回false。

如果队列是空的,我需要我的队列将等待,直到新项目被添加到队列中并且它将新队列出列,并且该过程将继续这样。

我应该在C#4.0中使用monitor.enter,wait,pulse还是更好的选项

3 个答案:

答案 0 :(得分:46)

这不是BlockingCollection的目的吗?

据我了解,您可以使用其中一个包装ConcurrentQueue,然后调用Take

答案 1 :(得分:0)

您可以定期检查队列中的元素数量,当元素数量大于零时,您可以使用例如ManualResetEvent指向将队列为空的队列出队的线程。

以下是伪代码:

检查线程:

while(true)
{
  int QueueLength = 0;
  lock(Queue)
  {
    queueLength = Queue.Length;
  }

  if (Queue.Length > 0)
  {
    manualResetEvent.Set();
  }
  else
  {
    Thread.Sleep(...);
  }       
}    

出队线程:

while(true)
{
  if(manualResetEvent.WaitOne(timeout))
  {
    DequeueUntilQueueEmpty();
  }
}

考虑在DequeueUntilQueueEmpty中使用锁。

答案 2 :(得分:0)

您可以使用BlockingCollection

做这样的事情:

private BlockingCollection<string> rowsQueue;
private void ProcessFiles() {
   this.rowsQueue = new BlockingCollection<string>(new ConcurrentBag<string>(), 1000);
   ReadFiles(new List<string>() { "file1.txt", "file2.txt" });


   while (!this.rowsQueue.IsCompleted || this.rowsQueue.Count > 0)
   {
       string line = this.rowsQueue.Take();

       // Do something
   }
}

private Task ReadFiles(List<string> fileNames)
{
    Task task = new Task(() =>
    {
        Parallel.ForEach(
        fileNames,
        new ParallelOptions
        {
            MaxDegreeOfParallelism = 10
        },
            (fileName) =>
            {
                using (StreamReader sr = File.OpenText(fileName))
                {
                    string line = String.Empty;
                    while ((line = sr.ReadLine()) != null)
                    {
                           this.rowsQueue.Add(line);
                    }
                }
            });

        this.rowsQueue.CompleteAdding();
    });

    task.Start();

    return task;
}