如何做两个线程无法访问同一个文件夹

时间:2014-09-03 12:34:41

标签: c# multithreading

我正在编写一个多线程应用程序,它是Windows服务。我有20个文件夹。我创建了15个线程onstart方法。我希望实现这一目标; 15个线程按顺序进入文件夹1,2,3,...,15。当一个线程完成时,它会创建另一个线程。这个创建的线程必须是第16个文件夹。它不能去工作文件夹。我怎样才能做到这一点?也就是说,我如何确定两个线程不会进入同一个文件夹?

2 个答案:

答案 0 :(得分:1)

你能不能只有一个静态变量作为文件夹名称的计数器?

类似的东西:

private static int _folderNameCounter = 0;
private static readonly object _padlock = new object();
public static int GetFolderCounter()
{
     lock(_padlock)
     {
         _folderNameCounter++;
         return _folderNameCounter;
     }
}

public static void Main()
{
        for(int i = 0; i < 20; i++)
        {

            Task.Factory.StartNew(() => 
             {
                var path = @"c:\temp\" + GetFolderCounter();
                Directory.CreateDirectory(path);
                // add your own code for the thread here
             });
        }

}

答案 1 :(得分:0)

注意:我使用TPL而不是直接使用Threads,因为我认为the TPL is a better solution。您当然可以有特定的要求,这可能意味着Threads是更好的解决方案 你的情况。

使用BlockingCollection<T>并使用文件夹编号填充集合。每个任务处理集合的项目,集合本身处理多线程方面,以便每个项目仅由一个消费者处理。

// Define the blocking collection with a maximum size of 15.
const int maxSize = 15;
var data = new BlockingCollection<int>(maxSize);

// Add the data to the collection.
// Do this in a separate task since BlockingCollection<T>.Add()
// blocks when the specified capacity is reached.
var addingTask = new Task(() => {
    for (int i = 1; i <= 20; i++) {
        data.Add(i);
    }
).Start();

// Define a signal-to-stop bool
var stop = false;

// Create 15 handle tasks.
// You can change this to threads if necessary, but the general idea is that
// each consumer continues to consume until the stop-boolean is set.
// The Take method returns only when an item is/becomes available.
for (int t = 0; t < maxSize; t++) {
    new Task(() => {
        while (!stop) {
            int item = data.Take();
            // Note: the Take method will block until an item comes available.
            HandleThisItem(item);
        }
    }).Start();
};

// Wait until you need to stop. When you do, set stop true
stop = true;