0

C# でスレッドを使用するこの単純なプログラムがあります。Console.ReadKey();プログラムを終了するためにa を実行する前に、すべてのスレッドの実行が完了しReadKeyていることを確認するにはどうすればよいですか?

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;

namespace Partie_3
{
    class Program
    {
        static int _intToManipulate;
        static object _lock;
        static Thread thread1;
        static Thread thread2;

        static void Main(string[] args)
        {
            _intToManipulate = 0;

            _lock = new object();

            thread1 = new Thread(increment);
            thread2 = new Thread(decrement);

            thread1.Start();
            thread2.Start();

            Console.WriteLine("Done");
            Console.ReadKey(true);
        }



        static void increment()
        {
            lock (_lock)
            {
                _intToManipulate++;
                Console.WriteLine("increment : " + _intToManipulate);
            }
        }
        static void decrement()
        {
            lock (_lock)
            {
                _intToManipulate--;
                Console.WriteLine("decrement : " + _intToManipulate);
            }
        }
    }
}
4

2 に答える 2

3

You're looking for Thread.Join():

thread1.Start();
thread2.Start();

thread1.Join();
thread2.Join();

Console.WriteLine("Done");
Console.ReadKey(true);
于 2012-11-04T17:59:36.637 に答える
3

同様の質問がここにあります: C#: Waiting for all threads to complete

C# 4.0+ では、個人的にはスレッドの代わりにタスクを使用し、2 番目に投票数の多い回答で述べたようにタスクが完了するのを待ちます。

for (int i = 0; i < N; i++)
{
     tasks[i] = Task.Factory.StartNew(() =>
     {               
          DoThreadStuff(localData);
     });
}
while (tasks.Any(t => !t.IsCompleted)) { } //spin wait

Console.WriteLine("All my threads/tasks have completed. Ready to continue");

スレッドとタスクの経験がほとんどない場合は、タスク ルートをたどることをお勧めします。比較すると、それらは非常に使いやすいです。

于 2012-11-04T18:03:12.293 に答える