ヒントとコツの投稿を読んでいて、これまでやったことのない C# のことを試してみようと思いました。したがって、次のコードは実際の目的には役立たず、何が起こるかを確認するための単なる「テスト関数」です。
とにかく、私は2つの静的プライベートフィールドを持っています:
private static volatile string staticVolatileTestString = "";
[ThreadStatic]
private static int threadInt = 0;
ご覧のとおり、ThreadStaticAttributeとvolatileキーワードをテストしています。
とにかく、次のようなテストメソッドがあります。
private static string TestThreadStatic() {
// Firstly I'm creating 10 threads (DEFAULT_TEST_SIZE is 10) and starting them all with an anonymous method
List<Thread> startedThreads = new List<Thread>();
for (int i = 0; i < DEFAULT_TEST_SIZE; ++i) {
Thread t = new Thread(delegate(object o) {
// The anon method sets a newValue for threadInt and prints the new value to the volatile test string, then waits between 1 and 10 seconds, then prints the value for threadInt to the volatile test string again to confirm that no other thread has changed it
int newVal = randomNumberGenerator.Next(10, 100);
staticVolatileTestString += Environment.NewLine + "\tthread " + ((int) o) + " setting threadInt to " + newVal;
threadInt = newVal;
Thread.Sleep(randomNumberGenerator.Next(1000, 10000));
staticVolatileTestString += Environment.NewLine + "\tthread " + ((int) o) + " finished: " + threadInt;
});
t.Start(i);
startedThreads.Add(t);
}
foreach (Thread th in startedThreads) th.Join();
return staticVolatileTestString;
}
この関数から返されると予想されるのは、次のような出力です。
thread 0 setting threadInt to 88
thread 1 setting threadInt to 97
thread 2 setting threadInt to 11
thread 3 setting threadInt to 84
thread 4 setting threadInt to 67
thread 5 setting threadInt to 46
thread 6 setting threadInt to 94
thread 7 setting threadInt to 60
thread 8 setting threadInt to 11
thread 9 setting threadInt to 81
thread 5 finished: 46
thread 2 finished: 11
thread 4 finished: 67
thread 3 finished: 84
thread 9 finished: 81
thread 6 finished: 94
thread 7 finished: 60
thread 1 finished: 97
thread 8 finished: 11
thread 0 finished: 88
しかし、私が得ているのはこれです:
thread 0 setting threadInt to 88
thread 4 setting threadInt to 67
thread 6 setting threadInt to 94
thread 7 setting threadInt to 60
thread 8 setting threadInt to 11
thread 9 setting threadInt to 81
thread 5 finished: 46
thread 2 finished: 11
thread 4 finished: 67
thread 3 finished: 84
thread 9 finished: 81
thread 6 finished: 94
thread 7 finished: 60
thread 1 finished: 97
thread 8 finished: 11
thread 0 finished: 88
出力の後半の「半分」は期待どおりです (これは、ThreadStatic フィールドが私が思ったように機能していることを意味すると思います) が、最初の出力のいくつかは前半の「半分」から「スキップ」されているようです。
さらに、前半の「半分」のスレッドは順不同ですが、Start(); を呼び出してもすぐにスレッドが実行されないことは理解しています。代わりに、OS の内部制御が適切と思われるスレッドを開始します。
編集: いいえ、そうではありません。実際には、脳が連続した数字を見逃しているためだと思っていました。
ですから、私の質問は次のとおりです。出力の最初の「半分」で数行が失われる原因は何ですか? たとえば、「thread 3 setting threadInt to 84」という行はどこにありますか?