4

我有一个包含一堆方法的类。例如

     private int forFunction(String exceptionFileList, FileInfo z, String compltetedFileList, String sourceDir)
        {
            atPDFNumber++;
            exceptionFileList = "";
            int blankImage = 1;
            int pagesMissing = 0;

            //delete the images currently in the folder
            deleteCreatedImages();
            //Get the amount of pages in the pdf
            int numberPDFPage = numberOfPagesPDF(z.FullName);

            //Convert the pdf to images on the users pc
            convertToImage(z.FullName);

            //Check the images for blank pages
            blankImage = testPixels(@"C:\temp", z.FullName);

            //Check if the conversion couldnt convert a page because of an error
            pagesMissing = numberPDFPage - numberOfFiles;
}

现在我现在尝试的是在一个线程中访问该类..但不仅仅是一个线程,也许大约 5 个线程来加速处理,因为一个有点慢。

现在在我看来,那将是一片混乱……我的意思是一个线程更改变量,而另一个线程忙于处理它们等等,并在所有这些方法中锁定每个变量……不会有一个好的时间...

那么建议什么,不知道它是否正确..是这个

  public void MyProc()
    {
      if (this method is open, 4 other threads must wait)
    {
      mymethod(var,var);
    }
     if (this method is open, 4 other threads must wait and done with first method)
    {
      mymethod2();
    }
  if (this method is open, 4 other threads must wait and done with first and second method)
       {
          mymethod3();
    }
         if (this method is open, 4 other threads must wait and done with first and second and third method)
        {
          mymethod4();
        }
    }

这是否是解决多个线程同时访问多个方法的问题的正确方法?

这些线程只会访问 Class 5 次,不会更多,因为工作负载将被平均分配。

4

1 回答 1

5

是的,这是您的选择之一。但是,您拥有的条件表达式应该使用lock语句替换,或者更好的是,使方法同步:

[MethodImpl(MethodImplOptions.Synchronized)]
private int forFunction(String exceptionFileList, FileInfo z, String compltetedFileList, String sourceDir)

它不是真正的条件,因为这里没有任何条件。下一个到来的线程必须等待,然后它必须继续。它实际上是在不执行任何指令的情况下休眠,然后从外部唤醒。

另请注意,当您担心在非同步方法的并行执行期间变量会混乱时,这只适用于成员变量(类字段)。它不适用于在方法内声明的局部变量,因为每个线程都有自己的副本。

于 2012-10-08T06:51:48.073 回答