所以我有一个包含多个文件的文件夹。我有一个循环,将遍历每个文件并将其添加到线程以在后台处理,以便UI响应。问题是我想在给定时间只运行一个线程。所以基本上我想“排队”线程,当一个完成后,下一个。最好的方法是什么?这是我正在使用的代码。我想知道计时器是否是最好的解决方案?谢谢大家。
foreach (CustomerFile f in CF)
{
btnGo.Enabled = false;
UpdateProgressDelegate showProgress = new UpdateProgressDelegate(UpdateProgress);
ProcessFile pf = new ProcessFile(this, showProgress, f._FileName, txtDestFolder.Text);
Thread t = new Thread(new ThreadStart(pf.DoWork));
t.IsBackground = true;
t.Start();
}
答案 0 :(得分:2)
如何将文件添加到队列并在另一个线程上处理队列?
Queue<CustomerFile> files = new Queue<CustomerFile>()
foreach (CustomerFile f in CF)
files.Enqueue(f);
BackgroundWorker bwk = new BackgroundWorker();
bwk.DoWork+=()=>{
//Process the queue here
// if you update the UI don't forget to call that on the UI thread
};
bwk.RunWorkerAsync();
答案 1 :(得分:1)
这是生产者消费者模型,这是一个非常普遍的要求。在C#中,BlockingCollection
非常适合此任务。让生产者向该集合添加项目,然后让后台任务(您可以拥有任意数量)从该集合中获取项目。
答案 2 :(得分:1)
听起来你可以通过一个后台线程来处理队列。像这样:
var q = new Queue();
foreach (var file in Directory.GetFiles("path"))
{
q.Enqueue(file);
}
var t = new Task(() =>
{
while (q.Count > 0)
{
ProcessFile(q.Dequeue());
}
});
t.Start();
请注意,只有在后台线程处理队列时不必修改队列时才适用。如果你这样做,Servy的答案是正确的:这是一个非常标准的生产者 - 消费者问题,只有一个消费者。有关解决生产者/消费者问题的更多信息,请参阅Albahari的Threading in C#。
答案 3 :(得分:0)
你唯一要做的就是把你的循环放在一个线程中,例如:
new Thread(()=>{
foreach (CustomerFile f in CF)
{
btnGo.Enabled = false;
UpdateProgressDelegate showProgress = new UpdateProgressDelegate(UpdateProgress);
ProcessFile pf = new ProcessFile(this, showProgress, f._FileName, txtDestFolder.Text);
pf.DoWork();
}
}).Start();