0

私は3つの2つのクラスを持っています

Class A{
   function A.1()
   {
     1. First calls B.2()
     2. Checks for value X in class B.
   }
}
Class B {
 function B.1()
 {
  /*this function sets the variable X to true*/
 }
 function B.2()
 {
   /*Initiates the thread eventually that will start the function B.1 on different thread*/
 }
}

これを変更して、クラス B で X が設定/変更されるまで A.1() が待機するようにします。これが私のアプローチです。

Class A{
   function A.1()
   {
     1. First calls B.2()
     **2. Call WaitforSet in class B**
     3. Checks for value X in class B.
   }
}
Class B {
/* Created one autoreset event S*/
 function B.1()
 {
  /*this function sets the variable X to true*/
  S.Set();
 }
 function B.2()
 {
   /*Initiates the thread eventually that will start the function B.1 on different thread*/
 }
  waitforSet()
  {
   S.waitone();
  }
}

両方のスレッドが待機状態になるため、これが機能しない理由はわかりません。関数が呼び出し元のスレッドを待機状態にし、内部が X の設定を続行することを期待waitforSet()していました。現在のスレッドのマネージド スレッド ID を確認したところwaitforSet()B.1()それらが異なっていました。

ここで何が欠けているか、またはこれを達成するためのより良い方法を教えてもらえますか?

PS:私はC#でこれを達成しています

4

1 に答える 1

1

私はこれを作成し、正常に動作しています。コンストラクターで AutoResetEvent の初期状態を false に設定していますか?

class Program
{
    static void Main(string[] args)
    {
        Thread.CurrentThread.Name = "Console Thread";

        var a = new A();
        a.A1();

        Console.WriteLine("Press return to exit...");
        Console.Read();
    }
}

public class A
{
    public void A1()
    {
        var b = new B();

        b.B2();
        b.WaitForSet();

        Console.WriteLine("Signal received by " +  Thread.CurrentThread.Name + " should be ok to check value of X");
        Console.WriteLine("Value of X = " + b.X);
    }
}

public class B
{
    private AutoResetEvent S = new AutoResetEvent(false);

    public bool X { get; private set; } 

    public void B1()
    {
        X = true;
        Console.WriteLine("X set to true by " + Thread.CurrentThread.Name);

        S.Set();
        Console.WriteLine("Release the hounds signal by " + Thread.CurrentThread.Name);
    }

    public void B2()
    {
        Console.WriteLine("B2 starting thread...");

        var thread = new Thread(new ThreadStart(B1)) { Name = "B Thread" };
        thread.Start();

        Console.WriteLine("Value of X = " + X + " Thread started.");
    }

    public void WaitForSet()
    {
        S.WaitOne();
        Console.WriteLine(Thread.CurrentThread.Name + " Waiting one...");
    }
}
于 2012-07-11T13:25:04.610 に答える