---------- 20200716 List https://stackoverflow.com/questions/9397729/how-do-you-get-list-of-running-threads-in-c List[] list; List threads = new List(); list = dbConnect.Select(); for (int i = 0; i < list[0].Count; i++) { Thread th = new Thread(() =>{ sendMessage(list[0]['1']); //calling callback function }); th.Name = "SID"+i; th.Start(); threads.add(th) } for (int i = 0; i < list[0].Count; i++) { threads[i].DoStuff() } ---------- 20190915 多 threads sample: Thread.CurrentThread Property Examples The following example creates a task that in turn creates 20 child tasks. The application itself, as well as each task, calls the ShowThreadInformation method, which uses the CurrentThread property to display information about the thread on which it is running. using System; using System.Collections.Generic; using System.Threading; using System.Threading.Tasks; public class Example { private static Object lockObj = new Object(); private static Object rndLock = new Object(); public static void Main() { Random rnd = new Random(); var tasks = new List>(); ShowThreadInformation("Application"); Task t = Task.Run( () => { ShowThreadInformation("Main Task(Task #" + Task.CurrentId.ToString() + ")"); for (int ctr = 1; ctr <= 20; ctr++) tasks.Add(Task.Factory.StartNew( () => { ShowThreadInformation("Task #" + Task.CurrentId.ToString()); long s = 0; for (int n = 0; n <= 999999; n++) { lock (rndLock) { s += rnd.Next(1, 1000001); } } return s/1000000.0; } )); Task.WaitAll(tasks.ToArray()); Double grandTotal = 0; Console.WriteLine("Means of each task: "); foreach (var child in tasks) { Console.WriteLine(" {0}", child.Result); grandTotal += child.Result; } Console.WriteLine(); return grandTotal / 20; } ); Console.WriteLine("Mean of Means: {0}", t.Result); } private static void ShowThreadInformation(String taskName) { String msg = null; Thread thread = Thread.CurrentThread; lock(lockObj) { msg = String.Format("{0} thread information\n", taskName) + String.Format(" Background: {0}\n", thread.IsBackground) + String.Format(" Thread Pool: {0}\n", thread.IsThreadPoolThread) + String.Format(" Thread ID: {0}\n", thread.ManagedThreadId); } Console.WriteLine(msg); } } // The example displays output like the following: // Application thread information // Background: False // Thread Pool: False // Thread ID: 1 // // Main Task(Task #1) thread information // Background: True // Thread Pool: True // Thread ID: 3 // // Task #2 thread information // Background: True // Thread Pool: True // Thread ID: 4 // // Task #4 thread information // Background: True // Thread Pool: True // Thread ID: 10 // // Task #3 thread information // Background: True // Thread Pool: True // Thread ID: 9 // // Task #5 thread information // Background: True // Thread Pool: True // Thread ID: 3 // // Task #7 thread information // Background: True // Thread Pool: True // Thread ID: 5 // // Task #6 thread information // Background: True // Thread Pool: True // Thread ID: 7 // // Task #8 thread information // Background: True // Thread Pool: True // Thread ID: 6 // // Task #9 thread information // Background: True // Thread Pool: True // Thread ID: 8 // // Task #10 thread information // Background: True // Thread Pool: True // Thread ID: 9 // // Task #11 thread information // Background: True // Thread Pool: True // Thread ID: 10 // // Task #12 thread information // Background: True // Thread Pool: True // Thread ID: 6 // // Task #13 thread information // Background: True // Thread Pool: True // Thread ID: 4 // // Task #14 thread information // Background: True // Thread Pool: True // Thread ID: 3 // // Task #15 thread information // Background: True // Thread Pool: True // Thread ID: 7 // // Task #16 thread information // Background: True // Thread Pool: True // Thread ID: 5 // // Task #17 thread information // Background: True // Thread Pool: True // Thread ID: 8 // // Task #18 thread information // Background: True // Thread Pool: True // Thread ID: 9 // // Task #19 thread information // Background: True // Thread Pool: True // Thread ID: 10 // // Task #20 thread information // Background: True // Thread Pool: True // Thread ID: 4 // // Task #21 thread information // Background: True // Thread Pool: True // Thread ID: 7 // // Means of each task: // 500038.740584 // 499810.422703 // 500217.558077 // 499868.534688 // 499295.505866 // 499893.475772 // 499601.454469 // 499828.532502 // 499606.183978 // 499700.276056 // 500415.894952 // 500005.874751 // 500042.237016 // 500092.764753 // 499998.798267 // 499623.054718 // 500018.784823 // 500286.865993 // 500052.68285 // 499764.363303 // // Mean of Means: 499908.10030605 Each child task generates 1 million random numbers between 1 and 1 million and returns their mean. The parent task calls the Task.WaitAll method to ensure that the child tasks have completed before displaying the mean returned by each task and calculating the mean of means. Note that while the application runs on a foreground thread, each task runs on a thread pool thread. ----------- 20190913 程式碼在下面, 全文參考 https://docs.microsoft.com/en-us/dotnet/standard/threading/using-threads-and-threading?view=netframework-4.7.2 或 thread.pdf (包含C++, C#, VB) Creating a thread The following code example creates two new threads to call instance and static methods on another object. #### 最基本的啟動執行緒方式: 建立兩個thread, 分別呼叫 instance method 跟 static method. using System; using System.Threading; public class ServerClass { // The method that will be called when the thread is started. public void InstanceMethod() { Console.WriteLine("ServerClass.InstanceMethod is running on another thread."); // Pause for a moment to provide a delay to make // threads more apparent. Thread.Sleep(3000); Console.WriteLine("The instance method called by the worker thread has ended."); } public static void StaticMethod() { Console.WriteLine("ServerClass.StaticMethod is running on another thread."); // Pause for a moment to provide a delay to make // threads more apparent. Thread.Sleep(5000); Console.WriteLine("The static method called by the worker thread has ended."); } } public class Simple { public static void Main() { ServerClass serverObject = new ServerClass(); // Create the thread object, passing in the // serverObject.InstanceMethod method using a // ThreadStart delegate. // 建立 Thread, 預定執行 instance method. Thread InstanceCaller = new Thread(new ThreadStart(serverObject.InstanceMethod)); // Start the thread. InstanceCaller.Start(); Console.WriteLine("The Main() thread calls this after " + "starting the new InstanceCaller thread."); // Create the thread object, passing in the // serverObject.StaticMethod method using a // ThreadStart delegate. // 建立物件, 預定執行 static method. Thread StaticCaller = new Thread(new ThreadStart(ServerClass.StaticMethod)); // Start the thread. StaticCaller.Start(); Console.WriteLine("The Main() thread calls this after " + "starting the new StaticCaller thread."); } } // The example displays the output like the following: // The Main() thread calls this after starting the new InstanceCaller thread. // The Main() thread calls this after starting the new StaticCaller thread. // ServerClass.StaticMethod is running on another thread. // ServerClass.InstanceMethod is running on another thread. // The instance method called by the worker thread has ended. // The static method called by the worker thread has ended. Passing data to threads In the .NET Framework version 2.0, the ParameterizedThreadStart delegate provides an easy way to pass an object containing data to a thread when you call the Thread.Start method overload. See ParameterizedThreadStart for a code example. Using the ParameterizedThreadStart delegate is not a type-safe way to pass data, because the Thread.Start method overload accepts any object. An alternative is to encapsulate the thread procedure and the data in a helper class and use the ThreadStart delegate to execute the thread procedure. The following example demonstrates this technique: using System; using System.Threading; // The ThreadWithState class contains the information needed for // a task, and the method that executes the task. // public class ThreadWithState { // State information used in the task. private string boilerplate; private int numberValue; // The constructor obtains the state information. public ThreadWithState(string text, int number) { boilerplate = text; numberValue = number; } // The thread procedure performs the task, such as formatting // and printing a document. public void ThreadProc() { Console.WriteLine(boilerplate, numberValue); } } // Entry point for the example. // public class Example { public static void Main() { // Supply the state information required by the task. ThreadWithState tws = new ThreadWithState( "This report displays the number {0}.", 42); // Create a thread to execute the task, and then // start the thread. Thread t = new Thread(new ThreadStart(tws.ThreadProc)); t.Start(); Console.WriteLine("Main thread does some work, then waits."); t.Join(); Console.WriteLine( "Independent task has completed; main thread ends."); } } // The example displays the following output: // Main thread does some work, then waits. // This report displays the number 42. // Independent task has completed; main thread ends. Retrieving data from threads with callback methods The following example demonstrates a callback method that retrieves data from a thread. The constructor for the class that contains the data and the thread method also accepts a delegate representing the callback method; before the thread method ends, it invokes the callback delegate. using System; using System.Threading; // The ThreadWithState class contains the information needed for // a task, the method that executes the task, and a delegate // to call when the task is complete. // public class ThreadWithState { // State information used in the task. private string boilerplate; private int numberValue; // Delegate used to execute the callback method when the // task is complete. private ExampleCallback callback; // The constructor obtains the state information and the // callback delegate. public ThreadWithState(string text, int number, ExampleCallback callbackDelegate) { boilerplate = text; numberValue = number; callback = callbackDelegate; } // The thread procedure performs the task, such as // formatting and printing a document, and then invokes // the callback delegate with the number of lines printed. public void ThreadProc() { Console.WriteLine(boilerplate, numberValue); if (callback != null) callback(1); } } // Delegate that defines the signature for the callback method. // public delegate void ExampleCallback(int lineCount); // Entry point for the example. // public class Example { public static void Main() { // Supply the state information required by the task. ThreadWithState tws = new ThreadWithState( "This report displays the number {0}.", 42, new ExampleCallback(ResultCallback) ); Thread t = new Thread(new ThreadStart(tws.ThreadProc)); t.Start(); Console.WriteLine("Main thread does some work, then waits."); t.Join(); Console.WriteLine( "Independent task has completed; main thread ends."); } // The callback method must match the signature of the // callback delegate. // public static void ResultCallback(int lineCount) { Console.WriteLine( "Independent task printed {0} lines.", lineCount); } } // The example displays the following output: // Main thread does some work, then waits. // This report displays the number 42. // Independent task printed 1 lines. // Independent task has completed; main thread ends. The Thread.Sleep method Calling the Thread.Sleep method causes the current thread to immediately block for the number of milliseconds or the time interval you pass to the method, and yields the remainder of its time slice to another thread. Once that interval elapses, the sleeping thread resumes execution. One thread cannot call Thread.Sleep on another thread. Thread.Sleep is a static method that always causes the current thread to sleep. Calling Thread.Sleep with a value of Timeout.Infinite causes a thread to sleep until it is interrupted by another thread that calls the Thread.Interrupt method on the sleeping thread, or until it is terminated by a call to its Thread.Abort method. The following example illustrates both methods of interrupting a sleeping thread. using System; using System.Threading; public class Example { public static void Main() { // Interrupt a sleeping thread. var sleepingThread = new Thread(Example.SleepIndefinitely); sleepingThread.Name = "Sleeping"; sleepingThread.Start(); Thread.Sleep(2000); sleepingThread.Interrupt(); Thread.Sleep(1000); sleepingThread = new Thread(Example.SleepIndefinitely); sleepingThread.Name = "Sleeping2"; sleepingThread.Start(); Thread.Sleep(2000); sleepingThread.Abort(); } private static void SleepIndefinitely() { Console.WriteLine("Thread '{0}' about to sleep indefinitely.", Thread.CurrentThread.Name); try { Thread.Sleep(Timeout.Infinite); } catch (ThreadInterruptedException) { Console.WriteLine("Thread '{0}' awoken.", Thread.CurrentThread.Name); } catch (ThreadAbortException) { Console.WriteLine("Thread '{0}' aborted.", Thread.CurrentThread.Name); } finally { Console.WriteLine("Thread '{0}' executing finally block.", Thread.CurrentThread.Name); } Console.WriteLine("Thread '{0} finishing normal execution.", Thread.CurrentThread.Name); Console.WriteLine(); } } // The example displays the following output: // Thread 'Sleeping' about to sleep indefinitely. // Thread 'Sleeping' awoken. // Thread 'Sleeping' executing finally block. // Thread 'Sleeping finishing normal execution. // // Thread 'Sleeping2' about to sleep indefinitely. // Thread 'Sleeping2' aborted. // Thread 'Sleeping2' executing finally block. Interrupting threads You can interrupt a waiting thread by calling the Thread.Interrupt method on the blocked thread to throw a ThreadInterruptedException, which breaks the thread out of the blocking call. The thread should catch the ThreadInterruptedException and do whatever is appropriate to continue working. If the thread ignores the exception, the runtime catches the exception and stops the thread. Note If the target thread is not blocked when Thread.Interrupt is called, the thread is not interrupted until it blocks. If the thread never blocks, it could complete without ever being interrupted. If a wait is a managed wait, then Thread.Interrupt and Thread.Abort both wake the thread immediately. If a wait is an unmanaged wait (for example, a platform invoke call to the Win32 WaitForSingleObject function), neither Thread.Interrupt nor Thread.Abort can take control of the thread until it returns to or calls into managed code. In managed code, the behavior is as follows: Thread.Interrupt wakes a thread out of any wait it might be in and causes a ThreadInterruptedException to be thrown in the destination thread. Thread.Abort wakes a thread out of any wait it might be in and causes a ThreadAbortException to be thrown on the thread. For details, see Destroying Threads. Destroying threads Handling ThreadAbortException If you expect your thread to be aborted, either as a result of calling Abort from your own code or as a result of unloading an application domain in which the thread is running (AppDomain.Unload uses Thread.Abort to terminate threads), your thread must handle the ThreadAbortException and perform any final processing in a finally clause, as shown in the following code. try { // Code that is executing when the thread is aborted. } catch (ThreadAbortException ex) { // Clean-up code can go here. // If there is no Finally clause, ThreadAbortException is // re-thrown by the system at the end of the Catch clause. } // Do not put clean-up code here, because the exception // is rethrown at the end of the Finally clause. Cancellation in Managed Threads In the following example, the requesting object creates a CancellationTokenSource object, and then passes its Token property to the cancelable operation. The operation that receives the request monitors the value of the IsCancellationRequested property of the token by polling. When the value becomes true, the listener can terminate in whatever manner is appropriate. In this example, the method just exits, which is all that is required in many cases. using System; using System.Threading; public class Example { public static void Main() { // Create the token source. CancellationTokenSource cts = new CancellationTokenSource(); // Pass the token to the cancelable operation. ThreadPool.QueueUserWorkItem(new WaitCallback(DoSomeWork), cts.Token); Thread.Sleep(2500); // Request cancellation. cts.Cancel(); Console.WriteLine("Cancellation set in token source..."); Thread.Sleep(2500); // Cancellation should have happened, so call Dispose. cts.Dispose(); } // Thread 2: The listener static void DoSomeWork(object obj) { CancellationToken token = (CancellationToken)obj; for (int i = 0; i < 100000; i++) { if (token.IsCancellationRequested) { Console.WriteLine("In iteration {0}, cancellation has been requested...", i + 1); // Perform cleanup if necessary. //... // Terminate the operation. break; } // Simulate some work. Thread.SpinWait(500000); } } } // The example displays output like the following: // Cancellation set in token source... // In iteration 1430, cancellation has been requested... Operation Cancellation Versus Object Cancellation In the new cancellation framework, cancellation refers to operations, not objects. The cancellation request means that the operation should stop as soon as possible after any required cleanup is performed. One cancellation token should refer to one "cancelable operation," however that operation may be implemented in your program. After the IsCancellationRequested property of the token has been set to true, it cannot be reset to false. Therefore, cancellation tokens cannot be reused after they have been canceled. If you require an object cancellation mechanism, you can base it on the operation cancellation mechanism by calling the CancellationToken.Register method, as shown in the following example. using System; using System.Threading; class CancelableObject { public string id; public CancelableObject(string id) { this.id = id; } public void Cancel() { Console.WriteLine("Object {0} Cancel callback", id); // Perform object cancellation here. } } public class Example { public static void Main() { CancellationTokenSource cts = new CancellationTokenSource(); CancellationToken token = cts.Token; // User defined Class with its own method for cancellation var obj1 = new CancelableObject("1"); var obj2 = new CancelableObject("2"); var obj3 = new CancelableObject("3"); // Register the object's cancel method with the token's // cancellation request. token.Register(() => obj1.Cancel()); token.Register(() => obj2.Cancel()); token.Register(() => obj3.Cancel()); // Request cancellation on the token. cts.Cancel(); // Call Dispose when we're done with the CancellationTokenSource. cts.Dispose(); } } // The example displays the following output: // Object 3 Cancel callback // Object 2 Cancel callback // Object 1 Cancel callback Listening and Responding to Cancellation Requests In the user delegate, the implementer of a cancelable operation determines how to terminate the operation in response to a cancellation request. In many cases, the user delegate can just perform any required cleanup and then return immediately. However, in more complex cases, it might be necessary for the user delegate to notify library code that cancellation has occurred. In such cases, the correct way to terminate the operation is for the delegate to call the ThrowIfCancellationRequested, method, which will cause an OperationCanceledException to be thrown. Library code can catch this exception on the user delegate thread and examine the exception's token to determine whether the exception indicates cooperative cancellation or some other exceptional situation. The Task class handles OperationCanceledException in this way. For more information, see Task Cancellation. Listening by Polling For long-running computations that loop or recurse, you can listen for a cancellation request by periodically polling the value of the CancellationToken.IsCancellationRequested property. If its value is true, the method should clean up and terminate as quickly as possible. The optimal frequency of polling depends on the type of application. It is up to the developer to determine the best polling frequency for any given program. Polling itself does not significantly impact performance. The following example shows one possible way to poll. static void NestedLoops(Rectangle rect, CancellationToken token) { for (int x = 0; x < rect.columns && !token.IsCancellationRequested; x++) { for (int y = 0; y < rect.rows; y++) { // Simulating work. Thread.SpinWait(5000); Console.Write("{0},{1} ", x, y); } // Assume that we know that the inner loop is very fast. // Therefore, checking once per row is sufficient. if (token.IsCancellationRequested) { // Cleanup or undo here if necessary... Console.WriteLine("\r\nCancelling after row {0}.", x); Console.WriteLine("Press any key to exit."); // then... break; // ...or, if using Task: // token.ThrowIfCancellationRequested(); } } } Listening by Registering a Callback Some operations can become blocked in such a way that they cannot check the value of the cancellation token in a timely manner. For these cases, you can register a callback method that unblocks the method when a cancellation request is received. The Register method returns a CancellationTokenRegistration object that is used specifically for this purpose. The following example shows how to use the Register method to cancel an asynchronous Web request. using System; using System.Net; using System.Threading; class Example { static void Main() { CancellationTokenSource cts = new CancellationTokenSource(); StartWebRequest(cts.Token); // cancellation will cause the web // request to be cancelled cts.Cancel(); } static void StartWebRequest(CancellationToken token) { WebClient wc = new WebClient(); wc.DownloadStringCompleted += (s, e) => Console.WriteLine("Request completed."); // Cancellation on the token will // call CancelAsync on the WebClient. token.Register(() => { wc.CancelAsync(); Console.WriteLine("Request cancelled!"); }); Console.WriteLine("Starting request."); wc.DownloadStringAsync(new Uri("http://www.contoso.com")); } } Listening by Using a Wait Handle When a cancelable operation can block while it waits on a synchronization primitive such as a System.Threading.ManualResetEvent or System.Threading.Semaphore, you can use the CancellationToken.WaitHandle property to enable the operation to wait on both the event and the cancellation request. The wait handle of the cancellation token will become signaled in response to a cancellation request, and the method can use the return value of the WaitAny method to determine whether it was the cancellation token that signaled. The operation can then just exit, or throw a OperationCanceledException, as appropriate. // Wait on the event if it is not signaled. int eventThatSignaledIndex = WaitHandle.WaitAny(new WaitHandle[] { mre, token.WaitHandle }, new TimeSpan(0, 0, 20)); In new code that targets the .NET Framework 4, System.Threading.ManualResetEventSlim and System.Threading.SemaphoreSlim both support the new cancellation framework in their Wait methods. You can pass the CancellationToken to the method, and when the cancellation is requested, the event wakes up and throws an OperationCanceledException. try { // mres is a ManualResetEventSlim mres.Wait(token); } catch (OperationCanceledException) { // Throw immediately to be responsive. The // alternative is to do one more item of work, // and throw on next iteration, because // IsCancellationRequested will be true. Console.WriteLine("The wait operation was canceled."); throw; } Console.Write("Working..."); // Simulating work. Thread.SpinWait(500000); Listening to Multiple Tokens Simultaneously In some cases, a listener may have to listen to multiple cancellation tokens simultaneously. For example, a cancelable operation may have to monitor an internal cancellation token in addition to a token passed in externally as an argument to a method parameter. To accomplish this, create a linked token source that can join two or more tokens into one token, as shown in the following example. public void DoWork(CancellationToken externalToken) { // Create a new token that combines the internal and external tokens. this.internalToken = internalTokenSource.Token; this.externalToken = externalToken; using (CancellationTokenSource linkedCts = CancellationTokenSource.CreateLinkedTokenSource(internalToken, externalToken)) { try { DoWorkInternal(linkedCts.Token); } catch (OperationCanceledException) { if (internalToken.IsCancellationRequested) { Console.WriteLine("Operation timed out."); } else if (externalToken.IsCancellationRequested) { Console.WriteLine("Cancelling per user request."); externalToken.ThrowIfCancellationRequested(); } } } } Canceling threads cooperatively Prior to the .NET Framework 4, the .NET Framework provided no built-in way to cancel a thread cooperatively after it was started. However, starting with the .NET Framework 4, you can use a System.Threading.CancellationToken to cancel threads, just as you can use them to cancel System.Threading.Tasks.Task objects or PLINQ queries. Although the System.Threading.Thread class does not offer built-in support for cancellation tokens, you can pass a token to a thread procedure by using the Thread constructor that takes a ParameterizedThreadStart delegate. The following example demonstrates how to do this. using System; using System.Threading; public class ServerClass { public static void StaticMethod(object obj) { CancellationToken ct = (CancellationToken)obj; Console.WriteLine("ServerClass.StaticMethod is running on another thread."); // Simulate work that can be canceled. while (!ct.IsCancellationRequested) { Thread.SpinWait(50000); } Console.WriteLine("The worker thread has been canceled. Press any key to exit."); Console.ReadKey(true); } } public class Simple { public static void Main() { // The Simple class controls access to the token source. CancellationTokenSource cts = new CancellationTokenSource(); Console.WriteLine("Press 'C' to terminate the application...\n"); // Allow the UI thread to capture the token source, so that it // can issue the cancel command. Thread t1 = new Thread(() => { if (Console.ReadKey(true).KeyChar.ToString().ToUpperInvariant() == "C") cts.Cancel(); } ); // ServerClass sees only the token, not the token source. Thread t2 = new Thread(new ParameterizedThreadStart(ServerClass.StaticMethod)); // Start the UI thread. t1.Start(); // Start the worker thread and pass it the token. t2.Start(cts.Token); t2.Join(); cts.Dispose(); } } // The example displays the following output: // Press 'C' to terminate the application... // // ServerClass.StaticMethod is running on another thread. // The worker thread has been canceled. Press any key to exit. How to: Listen for Cancellation Requests by Polling The following example shows one way that user code can poll a cancellation token at regular intervals to see whether cancellation has been requested from the calling thread. This example uses the System.Threading.Tasks.Task type, but the same pattern applies to asynchronous operations created directly by the System.Threading.ThreadPool type or the System.Threading.Thread type. Example Polling requires some kind of loop or recursive code that can periodically read the value of the Boolean IsCancellationRequested property. If you are using the System.Threading.Tasks.Task type and you are waiting for the task to complete on the calling thread, you can use the ThrowIfCancellationRequested method to check the property and throw the exception. By using this method, you ensure that the correct exception is thrown in response to a request. If you are using a Task, then calling this method is better than manually throwing an OperationCanceledException. If you do not have to throw the exception, then you can just check the property and return from the method if the property is true. using System; using System.Threading; using System.Threading.Tasks; public struct Rectangle { public int columns; public int rows; } class CancelByPolling { static void Main() { var tokenSource = new CancellationTokenSource(); // Toy object for demo purposes Rectangle rect = new Rectangle() { columns = 1000, rows = 500 }; // Simple cancellation scenario #1. Calling thread does not wait // on the task to complete, and the user delegate simply returns // on cancellation request without throwing. Task.Run(() => NestedLoops(rect, tokenSource.Token), tokenSource.Token); // Simple cancellation scenario #2. Calling thread does not wait // on the task to complete, and the user delegate throws // OperationCanceledException to shut down task and transition its state. // Task.Run(() => PollByTimeSpan(tokenSource.Token), tokenSource.Token); Console.WriteLine("Press 'c' to cancel"); if (Console.ReadKey(true).KeyChar == 'c') { tokenSource.Cancel(); Console.WriteLine("Press any key to exit."); } Console.ReadKey(); tokenSource.Dispose(); } static void NestedLoops(Rectangle rect, CancellationToken token) { for (int x = 0; x < rect.columns && !token.IsCancellationRequested; x++) { for (int y = 0; y < rect.rows; y++) { // Simulating work. Thread.SpinWait(5000); Console.Write("{0},{1} ", x, y); } // Assume that we know that the inner loop is very fast. // Therefore, checking once per row is sufficient. if (token.IsCancellationRequested) { // Cleanup or undo here if necessary... Console.WriteLine("\r\nCancelling after row {0}.", x); Console.WriteLine("Press any key to exit."); // then... break; // ...or, if using Task: // token.ThrowIfCancellationRequested(); } } } } How to: Register Callbacks for Cancellation Requests The following example shows how to register a delegate that will be invoked when a IsCancellationRequested property becomes true due to a call to Cancel on the object that created the token. Use this technique for cancelling asynchronous operations that do not natively support the unified cancellation framework, and for unblocking methods that might be waiting for an asynchronous operation to finish. In the following example, the CancelAsync method is registered as the method to be invoked when cancellation is requested through the cancellation token. using System; using System.Net; using System.Threading; using System.Threading.Tasks; class CancelWithCallback { static void Main() { var cts = new CancellationTokenSource(); var token = cts.Token; // Start cancelable task. Task t = Task.Run( () => { WebClient wc = new WebClient(); // Create an event handler to receive the result. wc.DownloadStringCompleted += (obj, e) => { // Check status of WebClient, not external token. if (!e.Cancelled) { Console.WriteLine("The download has completed:\n"); Console.WriteLine(e.Result + "\n\nPress any key."); } else { Console.WriteLine("The download was canceled."); } }; // Do not initiate download if the external token // has already been canceled. if (!token.IsCancellationRequested) { // Register the callback to a method that can unblock. using (CancellationTokenRegistration ctr = token.Register(() => wc.CancelAsync())) { Console.WriteLine("Starting request\n"); wc.DownloadStringAsync(new Uri("http://www.contoso.com")); } } }, token); Console.WriteLine("Press 'c' to cancel.\n"); char ch = Console.ReadKey().KeyChar; Console.WriteLine(); if (ch == 'c') cts.Cancel(); Console.WriteLine("Press any key to exit."); Console.ReadKey(); cts.Dispose(); } } How to: Listen for Cancellation Requests That Have Wait Handles If a method is blocked while it is waiting for an event to be signaled, it cannot check the value of the cancellation token and respond in a timely manner. The first example shows how to solve this problem when you are working with events such as System.Threading.ManualResetEvent that do not natively support the unified cancellation framework. The second example shows a more streamlined approach that uses System.Threading.ManualResetEventSlim, which does support unified cancellation. Note When "Just My Code" is enabled, Visual Studio in some cases will break on the line that throws the exception and display an error message that says "exception not handled by user code." This error is benign. You can press F5 to continue from it, and see the exception-handling behavior that is demonstrated in the examples below. To prevent Visual Studio from breaking on the first error, just uncheck the "Just My Code" checkbox under Tools, Options, Debugging, General. Example The following example uses a ManualResetEvent to demonstrate how to unblock wait handles that do not support unified cancellation. using System; using System.Threading; using System.Threading.Tasks; class CancelOldStyleEvents { // Old-style MRE that doesn't support unified cancellation. static ManualResetEvent mre = new ManualResetEvent(false); static void Main() { var cts = new CancellationTokenSource(); // Pass the same token source to the delegate and to the task instance. Task.Run(() => DoWork(cts.Token), cts.Token); Console.WriteLine("Press s to start/restart, p to pause, or c to cancel."); Console.WriteLine("Or any other key to exit."); // Old-style UI thread. bool goAgain = true; while (goAgain) { char ch = Console.ReadKey(true).KeyChar; switch (ch) { case 'c': cts.Cancel(); break; case 'p': mre.Reset(); break; case 's': mre.Set(); break; default: goAgain = false; break; } Thread.Sleep(100); } cts.Dispose(); } static void DoWork(CancellationToken token) { while (true) { // Wait on the event if it is not signaled. int eventThatSignaledIndex = WaitHandle.WaitAny(new WaitHandle[] { mre, token.WaitHandle }, new TimeSpan(0, 0, 20)); // Were we canceled while waiting? if (eventThatSignaledIndex == 1) { Console.WriteLine("The wait operation was canceled."); throw new OperationCanceledException(token); } // Were we canceled while running? else if (token.IsCancellationRequested) { Console.WriteLine("I was canceled while running."); token.ThrowIfCancellationRequested(); } // Did we time out? else if (eventThatSignaledIndex == WaitHandle.WaitTimeout) { Console.WriteLine("I timed out."); break; } else { Console.Write("Working... "); // Simulating work. Thread.SpinWait(5000000); } } } } Example The following example uses a ManualResetEventSlim to demonstrate how to unblock coordination primitives that do support unified cancellation. The same approach can be used with other lightweight coordination primitives, such as SemaphoreSlim and CountdownEvent. using System; using System.Threading; using System.Threading.Tasks; class CancelNewStyleEvents { // New-style MRESlim that supports unified cancellation // in its Wait methods. static ManualResetEventSlim mres = new ManualResetEventSlim(false); static void Main() { var cts = new CancellationTokenSource(); // Pass the same token source to the delegate and to the task instance. Task.Run(() => DoWork(cts.Token), cts.Token); Console.WriteLine("Press c to cancel, p to pause, or s to start/restart,"); Console.WriteLine("or any other key to exit."); // New-style UI thread. bool goAgain = true; while (goAgain) { char ch = Console.ReadKey(true).KeyChar; switch (ch) { case 'c': // Token can only be canceled once. cts.Cancel(); break; case 'p': mres.Reset(); break; case 's': mres.Set(); break; default: goAgain = false; break; } Thread.Sleep(100); } cts.Dispose(); } static void DoWork(CancellationToken token) { while (true) { if (token.IsCancellationRequested) { Console.WriteLine("Canceled while running."); token.ThrowIfCancellationRequested(); } // Wait on the event to be signaled // or the token to be canceled, // whichever comes first. The token // will throw an exception if it is canceled // while the thread is waiting on the event. try { // mres is a ManualResetEventSlim mres.Wait(token); } catch (OperationCanceledException) { // Throw immediately to be responsive. The // alternative is to do one more item of work, // and throw on next iteration, because // IsCancellationRequested will be true. Console.WriteLine("The wait operation was canceled."); throw; } Console.Write("Working..."); // Simulating work. Thread.SpinWait(500000); } } } How to: Listen for Multiple Cancellation Requests This example shows how to listen to two cancellation tokens simultaneously so that you can cancel an operation if either token requests it. Note When "Just My Code" is enabled, Visual Studio in some cases will break on the line that throws the exception and display an error message that says "exception not handled by user code." This error is benign. You can press F5 to continue from it, and see the exception-handling behavior that is demonstrated in the examples below. To prevent Visual Studio from breaking on the first error, just uncheck the "Just My Code" checkbox under Tools, Options, Debugging, General. Example In the following example, the CreateLinkedTokenSource method is used to join two tokens into one token. This enables the token to be passed to methods that take just one cancellation token as an argument. The example demonstrates a common scenario in which a method must observe both a token passed in from outside the class, and a token generated inside the class. using System; using System.Threading; using System.Threading.Tasks; class LinkedTokenSourceDemo { static void Main() { WorkerWithTimer worker = new WorkerWithTimer(); CancellationTokenSource cts = new CancellationTokenSource(); // Task for UI thread, so we can call Task.Wait wait on the main thread. Task.Run(() => { Console.WriteLine("Press 'c' to cancel within 3 seconds after work begins."); Console.WriteLine("Or let the task time out by doing nothing."); if (Console.ReadKey(true).KeyChar == 'c') cts.Cancel(); }); // Let the user read the UI message. Thread.Sleep(1000); // Start the worker task. Task task = Task.Run(() => worker.DoWork(cts.Token), cts.Token); try { task.Wait(cts.Token); } catch (OperationCanceledException e) { if (e.CancellationToken == cts.Token) Console.WriteLine("Canceled from UI thread throwing OCE."); } catch (AggregateException ae) { Console.WriteLine("AggregateException caught: " + ae.InnerException); foreach (var inner in ae.InnerExceptions) { Console.WriteLine(inner.Message + inner.Source); } } Console.WriteLine("Press any key to exit."); Console.ReadKey(); cts.Dispose(); } } class WorkerWithTimer { CancellationTokenSource internalTokenSource = new CancellationTokenSource(); CancellationToken internalToken; CancellationToken externalToken; Timer timer; public WorkerWithTimer() { internalTokenSource = new CancellationTokenSource(); internalToken = internalTokenSource.Token; // A toy cancellation trigger that times out after 3 seconds // if the user does not press 'c'. timer = new Timer(new TimerCallback(CancelAfterTimeout), null, 3000, 3000); } public void DoWork(CancellationToken externalToken) { // Create a new token that combines the internal and external tokens. this.internalToken = internalTokenSource.Token; this.externalToken = externalToken; using (CancellationTokenSource linkedCts = CancellationTokenSource.CreateLinkedTokenSource(internalToken, externalToken)) { try { DoWorkInternal(linkedCts.Token); } catch (OperationCanceledException) { if (internalToken.IsCancellationRequested) { Console.WriteLine("Operation timed out."); } else if (externalToken.IsCancellationRequested) { Console.WriteLine("Cancelling per user request."); externalToken.ThrowIfCancellationRequested(); } } } } private void DoWorkInternal(CancellationToken token) { for (int i = 0; i < 1000; i++) { if (token.IsCancellationRequested) { // We need to dispose the timer if cancellation // was requested by the external token. timer.Dispose(); // Throw the exception. token.ThrowIfCancellationRequested(); } // Simulating work. Thread.SpinWait(7500000); Console.Write("working... "); } } public void CancelAfterTimeout(object state) { Console.WriteLine("\r\nTimer fired."); internalTokenSource.Cancel(); timer.Dispose(); } } Timers NET provides two timers to use in a multithreaded environment: System.Threading.Timer, which executes a single callback method on a ThreadPool thread at regular intervals. System.Timers.Timer, which by default raises an event on a ThreadPool thread at regular intervals. Note Some .NET implementations may include additional timers: System.Windows.Forms.Timer: a Windows Forms component that fires an event at regular intervals. The component has no user interface and is designed for use in a single-threaded environment. System.Web.UI.Timer: an ASP.NET component that performs asynchronous or synchronous web page postbacks at a regular interval. System.Windows.Threading.DispatcherTimer: a timer that is integrated into the Dispatcher queue which is processed at a specified interval of time and at a specified priority. The System.Threading.Timer class The System.Threading.Timer class enables you to continuously call a delegate at specified time intervals. You also can use this class to schedule a single call to a delegate in a specified time interval. The delegate is executed on a ThreadPool thread. When you create a System.Threading.Timer object, you specify a TimerCallback delegate that defines the callback method, an optional state object that is passed to the callback, the amount of time to delay before the first invocation of the callback, and the time interval between callback invocations. To cancel a pending timer, call the Timer.Dispose method. The following example creates a timer that calls the provided delegate for the first time after one second (1000 milliseconds) and then calls it every two seconds. The state object in the example is used to count how many times the delegate is called. The timer is stopped when the delegate has been called at least 10 times. using System; using System.Threading; using System.Threading.Tasks; class Program { private static Timer timer; static void Main(string[] args) { var timerState = new TimerState { Counter = 0 }; timer = new Timer( callback: new TimerCallback(TimerTask), state: timerState, dueTime: 1000, period: 2000); while (timerState.Counter <= 10) { Task.Delay(1000).Wait(); } timer.Dispose(); Console.WriteLine($"{DateTime.Now:HH:mm:ss.fff}: done."); } private static void TimerTask(object timerState) { Console.WriteLine($"{DateTime.Now:HH:mm:ss.fff}: starting a new callback."); var state = timerState as TimerState; Interlocked.Increment(ref state.Counter); } class TimerState { public int Counter; } } Basic Usage The following example demonstrates how to use a CountdownEvent with ThreadPool work items. IEnumerable source = GetData(); using (CountdownEvent e = new CountdownEvent(1)) { // fork work: foreach (Data element in source) { // Dynamically increment signal count. e.AddCount(); ThreadPool.QueueUserWorkItem(delegate(object state) { try { ProcessData(state); } finally { e.Signal(); } }, element); } e.Signal(); // The first element could be run on this thread. // Join with work. e.Wait(); } // .,. CountdownEvent With Cancellation The following example shows how to cancel the wait operation on CountdownEvent by using a cancellation token. The basic pattern follows the model for unified cancellation, which is introduced in .NET Framework 4. For more information, see Cancellation in Managed Threads. class CancelableCountdownEvent { class Data { public int Num { get; set; } public Data(int i) { Num = i; } public Data() { } } class DataWithToken { public CancellationToken Token { get; set; } public Data Data { get; private set; } public DataWithToken(Data data, CancellationToken ct) { this.Data = data; this.Token = ct; } } static IEnumerable GetData() { return new List() { new Data(1), new Data(2), new Data(3), new Data(4), new Data(5) }; } static void ProcessData(object obj) { DataWithToken dataWithToken = (DataWithToken)obj; if (dataWithToken.Token.IsCancellationRequested) { Console.WriteLine("Canceled before starting {0}", dataWithToken.Data.Num); return; } for (int i = 0; i < 10000; i++) { if (dataWithToken.Token.IsCancellationRequested) { Console.WriteLine("Cancelling while executing {0}", dataWithToken.Data.Num); return; } // Increase this value to slow down the program. Thread.SpinWait(100000); } Console.WriteLine("Processed {0}", dataWithToken.Data.Num); } static void Main(string[] args) { EventWithCancel(); Console.WriteLine("Press enter to exit."); Console.ReadLine(); } static void EventWithCancel() { IEnumerable source = GetData(); CancellationTokenSource cts = new CancellationTokenSource(); //Enable cancellation request from a simple UI thread. Task.Factory.StartNew(() => { if (Console.ReadKey().KeyChar == 'c') cts.Cancel(); }); // Event must have a count of at least 1 CountdownEvent e = new CountdownEvent(1); // fork work: foreach (Data element in source) { DataWithToken item = new DataWithToken(element, cts.Token); // Dynamically increment signal count. e.AddCount(); ThreadPool.QueueUserWorkItem(delegate(object state) { ProcessData(state); if (!cts.Token.IsCancellationRequested) e.Signal(); }, item); } // Decrement the signal count by the one we added // in the constructor. e.Signal(); // The first element could be run on this thread. // Join with work or catch cancellation. try { e.Wait(cts.Token); } catch (OperationCanceledException oce) { if (oce.CancellationToken == cts.Token) { Console.WriteLine("User canceled."); } else throw; //We don't know who canceled us! } finally { e.Dispose(); cts.Dispose(); } //... } //end method } //end class Barrier A System.Threading.Barrier is a synchronization primitive that enables multiple threads (known as participants) to work concurrently on an algorithm in phases. Each participant executes until it reaches the barrier point in the code. The barrier represents the end of one phase of work. When a participant reaches the barrier, it blocks until all participants have reached the same barrier. After all participants have reached the barrier, you can optionally invoke a post-phase action. This post-phase action can be used to perform actions by a single thread while all other threads are still blocked. After the action has been executed, the participants are all unblocked. The following code snippet shows a basic barrier pattern. // Create the Barrier object, and supply a post-phase delegate // to be invoked at the end of each phase. Barrier barrier = new Barrier(2, (bar) => { // Examine results from all threads, determine // whether to continue, create inputs for next phase, etc. if (someCondition) success = true; }); // Define the work that each thread will perform. (Threads do not // have to all execute the same method.) void CrunchNumbers(int partitionNum) { // Up to System.Int64.MaxValue phases are supported. We assume // in this code that the problem will be solved before that. while (success == false) { // Begin phase: // Process data here on each thread, and optionally // store results, for example: results[partitionNum] = ProcessData(data[partitionNum]); // End phase: // After all threads arrive,post-phase delegate // is invoked, then threads are unblocked. Overloads // accept a timeout value and/or CancellationToken. barrier.SignalAndWait(); } } // Perform n tasks to run in in parallel. For simplicity // all threads execute the same method in this example. static void Main() { var app = new BarrierDemo(); Thread t1 = new Thread(() => app.CrunchNumbers(0)); Thread t2 = new Thread(() => app.CrunchNumbers(1)); t1.Start(); t2.Start(); } How to: Synchronize Concurrent Operations with a Barrier Example The purpose of the following program is to count how many iterations (or phases) are required for two threads to each find their half of the solution on the same phase by using a randomizing algorithm to reshuffle the words. After each thread has shuffled its words, the barrier post-phase operation compares the two results to see if the complete sentence has been rendered in correct word order. //#define TRACE using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading; using System.Threading.Tasks; namespace BarrierSimple { class Program { static string[] words1 = new string[] { "brown", "jumps", "the", "fox", "quick"}; static string[] words2 = new string[] { "dog", "lazy","the","over"}; static string solution = "the quick brown fox jumps over the lazy dog."; static bool success = false; static Barrier barrier = new Barrier(2, (b) => { StringBuilder sb = new StringBuilder(); for (int i = 0; i < words1.Length; i++) { sb.Append(words1[i]); sb.Append(" "); } for (int i = 0; i < words2.Length; i++) { sb.Append(words2[i]); if(i < words2.Length - 1) sb.Append(" "); } sb.Append("."); #if TRACE System.Diagnostics.Trace.WriteLine(sb.ToString()); #endif Console.CursorLeft = 0; Console.Write("Current phase: {0}", barrier.CurrentPhaseNumber); if (String.CompareOrdinal(solution, sb.ToString()) == 0) { success = true; Console.WriteLine("\r\nThe solution was found in {0} attempts", barrier.CurrentPhaseNumber); } }); static void Main(string[] args) { Thread t1 = new Thread(() => Solve(words1)); Thread t2 = new Thread(() => Solve(words2)); t1.Start(); t2.Start(); // Keep the console window open. Console.ReadLine(); } // Use Knuth-Fisher-Yates shuffle to randomly reorder each array. // For simplicity, we require that both wordArrays be solved in the same phase. // Success of right or left side only is not stored and does not count. static void Solve(string[] wordArray) { while(success == false) { Random random = new Random(); for (int i = wordArray.Length - 1; i > 0; i--) { int swapIndex = random.Next(i + 1); string temp = wordArray[i]; wordArray[i] = wordArray[swapIndex]; wordArray[swapIndex] = temp; } // We need to stop here to examine results // of all thread activity. This is done in the post-phase // delegate that is defined in the Barrier constructor. barrier.SignalAndWait(); } } } } How to: use SpinLock for low-level synchronization The following example demonstrates how to use a SpinLock. In this example, the critical section performs a minimal amount of work, which makes it a good candidate for a SpinLock. Increasing the work a small amount increases the performance of the SpinLock compared to a standard lock. However, there is a point at which a SpinLock becomes more expensive than a standard lock. You can use the concurrency profiling functionality in the profiling tools to see which type of lock provides better performance in your program. For more information, see Concurrency Visualizer. class SpinLockDemo2 { const int N = 100000; static Queue _queue = new Queue(); static object _lock = new Object(); static SpinLock _spinlock = new SpinLock(); class Data { public string Name { get; set; } public double Number { get; set; } } static void Main(string[] args) { // First use a standard lock for comparison purposes. UseLock(); _queue.Clear(); UseSpinLock(); Console.WriteLine("Press a key"); Console.ReadKey(); } private static void UpdateWithSpinLock(Data d, int i) { bool lockTaken = false; try { _spinlock.Enter(ref lockTaken); _queue.Enqueue( d ); } finally { if (lockTaken) _spinlock.Exit(false); } } private static void UseSpinLock() { Stopwatch sw = Stopwatch.StartNew(); Parallel.Invoke( () => { for (int i = 0; i < N; i++) { UpdateWithSpinLock(new Data() { Name = i.ToString(), Number = i }, i); } }, () => { for (int i = 0; i < N; i++) { UpdateWithSpinLock(new Data() { Name = i.ToString(), Number = i }, i); } } ); sw.Stop(); Console.WriteLine("elapsed ms with spinlock: {0}", sw.ElapsedMilliseconds); } static void UpdateWithLock(Data d, int i) { lock (_lock) { _queue.Enqueue(d); } } private static void UseLock() { Stopwatch sw = Stopwatch.StartNew(); Parallel.Invoke( () => { for (int i = 0; i < N; i++) { UpdateWithLock(new Data() { Name = i.ToString(), Number = i }, i); } }, () => { for (int i = 0; i < N; i++) { UpdateWithLock(new Data() { Name = i.ToString(), Number = i }, i); } } ); sw.Stop(); Console.WriteLine("elapsed ms with lock: {0}", sw.ElapsedMilliseconds); } } How to: Enable Thread-Tracking Mode in SpinLock System.Threading.SpinLock is a low-level mutual exclusion lock that you can use for scenarios that have very short wait times. SpinLock is not re-entrant. After a thread enters the lock, it must exit the lock correctly before it can enter again. Typically, any attempt to re-enter the lock would cause deadlock, and deadlocks can be very difficult to debug. As an aid to development, System.Threading.SpinLock supports a thread-tracking mode that causes an exception to be thrown when a thread attempts to re-enter a lock that it already holds. This lets you more easily locate the point at which the lock was not exited correctly. You can turn on thread-tracking mode by using the SpinLock constructor that takes a Boolean input parameter, and passing in an argument of true. After you complete the development and testing phases, turn off thread-tracking mode for better performance. Example The following example demonstrates thread-tracking mode. The lines that correctly exit the lock are commented out to simulate a coding error that causes one of the following results: An exception is thrown if the SpinLock was created by using an argument of true (True in Visual Basic). Deadlock if the SpinLock was created by using an argument of false (False in Visual Basic). using System; using System.Collections.Generic; using System.Collections.Concurrent; using System.Diagnostics; using System.Text; using System.Threading; using System.Threading.Tasks; namespace SpinLockDemo { // C# public class SpinLockTest { // Specify true to enable thread tracking. This will cause // exception to be thrown when the first thread attempts to reenter the lock. // Specify false to cause deadlock due to coding error below. private static SpinLock _spinLock = new SpinLock(true); static void Main() { Parallel.Invoke( () => DoWork(), () => DoWork(), () => DoWork(), () => DoWork() ); Console.WriteLine("Press any key."); Console.ReadKey(); } public static void DoWork() { StringBuilder sb = new StringBuilder(); for (int i = 0; i < 100; i++) { bool lockTaken = false; try { _spinLock.Enter(ref lockTaken); // do work here protected by the lock Thread.SpinWait(50000); sb.Append(Thread.CurrentThread.ManagedThreadId); sb.Append(" Entered-"); } catch (LockRecursionException ex) { Console.WriteLine("Thread {0} attempted to reenter the lock", Thread.CurrentThread.ManagedThreadId); throw; } finally { // INTENTIONAL CODING ERROR TO DEMONSTRATE THREAD TRACKING! // UNCOMMENT THE LINES FOR CORRECT SPINLOCK BEHAVIOR // Commenting out these lines causes the same thread // to attempt to reenter the lock. If the SpinLock was // created with thread tracking enabled, the exception // is thrown. Otherwise the spinlock deadlocks. if (lockTaken) { // _spinLock.Exit(false); // sb.Append("Exited "); } } // Output for diagnostic display. if(i % 4 != 0) Console.Write(sb.ToString()); else Console.WriteLine(sb.ToString()); sb.Clear(); } } } } SpinWait System.Threading.SpinWait is a lightweight synchronization type that you can use in low-level scenarios to avoid the expensive context switches and kernel transitions that are required for kernel events. On multicore computers, when a resource is not expected to be held for long periods of time, it can be more efficient for a waiting thread to spin in user mode for a few dozen or a few hundred cycles, and then retry to acquire the resource. If the resource is available after spinning, then you have saved several thousand cycles. If the resource is still not available, then you have spent only a few cycles and can still enter a kernel-based wait. This spinning-then-waiting combination is sometimes referred to as a two-phase wait operation. SpinWait is designed to be used in conjunction with the .NET Framework types that wrap kernel events such as ManualResetEvent. SpinWait can also be used by itself for basic spinning functionality in just one program. SpinWait is more than just an empty loop. It is carefully implemented to provide correct spinning behavior for the general case, and will itself initiate context switches if it spins long enough (roughly the length of time required for a kernel transition). For example, on single-core computers, SpinWait yields the time slice of the thread immediately because spinning blocks forward progress on all threads. SpinWait also yields even on multi-core machines to prevent the waiting thread from blocking higher-priority threads or the garbage collector. Therefore, if you are using a SpinWait in a two-phase wait operation, we recommend that you invoke the kernel wait before the SpinWait itself initiates a context switch. SpinWait provides the NextSpinWillYield property, which you can check before every call to SpinOnce. When the property returns true, initiate your own Wait operation. For an example, see How to: Use SpinWait to Implement a Two-Phase Wait Operation. If you are not performing a two-phase wait operation but are just spinning until some condition is true, you can enable SpinWait to perform its context switches so that it is a good citizen in the Windows operating system environment. The following basic example shows a SpinWait in a lock-free stack. If you require a high-performance, thread-safe stack, consider using System.Collections.Concurrent.ConcurrentStack. public class LockFreeStack { private volatile Node m_head; private class Node { public Node Next; public T Value; } public void Push(T item) { var spin = new SpinWait(); Node node = new Node { Value = item }, head; while (true) { head = m_head; node.Next = head; if (Interlocked.CompareExchange(ref m_head, node, head) == head) break; spin.SpinOnce(); } } public bool TryPop(out T result) { result = default(T); var spin = new SpinWait(); Node head; while (true) { head = m_head; if (head == null) return false; if (Interlocked.CompareExchange(ref m_head, head.Next, head) == head) { result = head.Value; return true; } spin.SpinOnce(); } } } How to: Use SpinWait to Implement a Two-Phase Wait Operation The following example shows how to use a System.Threading.SpinWait object to implement a two-phase wait operation. In the first phase, the synchronization object, a Latch, spins for a few cycles while it checks whether the lock has become available. In the second phase, if the lock becomes available, then the Wait method returns without using the System.Threading.ManualResetEvent to perform its wait; otherwise, Wait performs the wait. Example This example shows a very basic implementation of a Latch synchronization primitive. You can use this data structure when wait times are expected to be very short. This example is for demonstration purposes only. If you require latch-type functionality in your program, consider using System.Threading.ManualResetEventSlim. #define LOGGING using System; using System.Diagnostics; using System.Threading; using System.Threading.Tasks; class Latch { private object latchLock = new object(); // 0 = unset, 1 = set. private int m_state = 0; private volatile int totalKernelWaits = 0; // Block threads waiting for ManualResetEvent. private ManualResetEvent m_ev = new ManualResetEvent(false); #if LOGGING // For fast logging with minimal impact on latch behavior. // Spin counts greater than 20 might be encountered depending on machine config. private long[] spinCountLog = new long[20]; public void DisplayLog() { for (int i = 0; i < spinCountLog.Length; i++) { Console.WriteLine("Wait succeeded with spin count of {0} on {1:N0} attempts", i, spinCountLog[i]); } Console.WriteLine("Wait used the kernel event on {0:N0} attempts.", totalKernelWaits); Console.WriteLine("Logging complete"); } #endif public void Set() { lock(latchLock) { m_state = 1; m_ev.Set(); } } public void Wait() { Trace.WriteLine("Wait timeout infinite"); Wait(Timeout.Infinite); } public bool Wait(int timeout) { SpinWait spinner = new SpinWait(); Stopwatch watch; while (m_state == 0) { // Lazily allocate and start stopwatch to track timeout. watch = Stopwatch.StartNew(); // Spin only until the SpinWait is ready // to initiate its own context switch. if (!spinner.NextSpinWillYield) { spinner.SpinOnce(); } // Rather than let SpinWait do a context switch now, // we initiate the kernel Wait operation, because // we plan on doing this anyway. else { Interlocked.Increment(ref totalKernelWaits); // Account for elapsed time. long realTimeout = timeout - watch.ElapsedMilliseconds; // Do the wait. if (realTimeout <= 0 || !m_ev.WaitOne((int)realTimeout)) { Trace.WriteLine("wait timed out."); return false; } } } #if LOGGING Interlocked.Increment(ref spinCountLog[spinner.Count]); #endif // Take the latch. Interlocked.Exchange(ref m_state, 0); return true; } } class Example { static Latch latch = new Latch(); static int count = 2; static CancellationTokenSource cts = new CancellationTokenSource(); static void TestMethod() { while (!cts.IsCancellationRequested) { // Obtain the latch. if (latch.Wait(50)) { // Do the work. Here we vary the workload a slight amount // to help cause varying spin counts in latch. double d = 0; if (count % 2 != 0) { d = Math.Sqrt(count); } Interlocked.Increment(ref count); // Release the latch. latch.Set(); } } } static void Main() { // Demonstrate latch with a simple scenario: multiple // threads updating a shared integer. Both operations // are relatively fast, which enables the latch to // demonstrate successful waits by spinning only. latch.Set(); // UI thread. Press 'c' to cancel the loop. Task.Factory.StartNew(() => { Console.WriteLine("Press 'c' to cancel."); if (Console.ReadKey(true).KeyChar == 'c') { cts.Cancel(); } }); Parallel.Invoke( () => TestMethod(), () => TestMethod(), () => TestMethod() ); #if LOGGING latch.DisplayLog(); if (cts != null) cts.Dispose(); #endif } } ----------- 20190807 結束 Thread 的方法: 1. 盡量不要以 Abort() 方式, 強迫結束子執行緒. 由於 Abort() 方法是以(拋出 exception 例外錯誤)的方式, 強制結束執行緒, 可能會產生無法預期的結果. 最好的方法應該是在(子執行緒)中, 加入控制信號. 當控制信號狀態改變時, 由(子執行緒)決定可預期的結束結果, 是比較安全的結束方式. 2. 宣告 thread 為區塊變數, 當區塊結束時, 會自動結束執行緒. 3. 結束目前的執行緒 Thread.CurrentThread.Abort(). 4. 由(主執行緒)結束(子執行緒): Thread t1 = new Thread(Read); t1.Start(); t1.Abort(); ----------- 20181119 ref: http://me1237guy.pixnet.net/blog/post/61422592-c%23-如何創建%2C-暫停%2C-繼續%2C-終止一個執行緒%28threa C# 如何創建, 暫停, 繼續, 終止一個執行緒(Thread) 今天來複習一下執行緒, 先前有一些觀念錯誤: 關於暫停/關閉執行緒Suspend, Terminate 不該踩到地雷, 我一個都沒錯過@@ 1. 本範例示範如何開一個worker執行緒, 呼叫Start開始不斷執行Job內容, 且不影響原本的主執行緒 2. 要暫停一個執行緒不建議使用Thread.Suspend, 這會讓你不曉得在你呼叫Suspend 當下該執行緒在幹甚麼;更準確地說, 你會不曉得worker在Job中已經 完成多少(停在Job中的哪個階段) 3. 不要使用Terminate, 建議使用Join 4. 透過ManualResetEvent搭配WaitOne 方法, 可以讓你更精準控制: 暫停, 繼續, 以及停止執行緒 public class Worker { /* Initializes a new instance of the ManualResetEvent class * with a Boolean value indicating whether to set the initial state to signaled. */ ManualResetEvent _shutdownEvent = new ManualResetEvent(false); ManualResetEvent _pauseEvent = new ManualResetEvent(true); Thread _thread; public Worker() { } public void Job() { int cnt = 0; while (true) { /* 封鎖目前執行緒, 直到waitHandle收到通知, * Timeout.Infinite表示無限期等候 */ _pauseEvent.WaitOne(Timeout.Infinite); /* return true if the current instance receives a signal. * If the current instance is never signaled, WaitOne never returns */ if(_shutdownEvent.WaitOne(0)) break; /* if (_shutdownEvent.WaitOne(Timeout.Infinite)) * 因為沒有收到signal, 所以會停在if()這一行, 造成cnt無法累加 */ Console.WriteLine("{0}", cnt++); } } public void Start() { _thread = new Thread(Job); _thread.Start(); Console.WriteLine("Thread started running"); } public void Pause() { /* Sets the state of the event to nonsignaled, * causing threads to block. */ _pauseEvent.Reset(); Console.WriteLine("Thread paused"); } public void Resume() { /* Sets the state of the event to signaled, * allowing one or more waiting threads to proceed. */ _pauseEvent.Set(); Console.WriteLine("Thread resuming "); } public void Stop() { // Signal the shutdown event _shutdownEvent.Set(); Console.WriteLine("Thread Stopped "); // Make sure to resume any paused threads _pauseEvent.Set(); // Wait for the thread to exit _thread.Join(); } } static void Main(string[] args) { Worker w1 = new Worker(); w1.Start(); Thread.Sleep(500); w1.Pause(); Thread.Sleep(200); w1.Resume(); Thread.Sleep(500); w1.Pause(); Thread.Sleep(1000); w1.Resume(); Thread.Sleep(200); w1.Stop(); Console.Read(); } Pause()利用 關閉_pauseEvent訊號, 即 _pauseEvent.Reset(), 來達到Job停在_pauseEvent.WaitOne(Timeout.Infinite);這一行程式碼, 這樣操作會比呼叫Thread.Suspend更好 public void Pause() { /* Sets the state of the event to nonsignaled, * causing threads to block. */ _pauseEvent.Reset(); /* 在Job()中_pauseEvent.WaitOne(Timeout.Infinite); * 這一行因為在等signal回覆, 而Reset關閉signal, * 所以間接造成暫停Worker執行緒, * 這個方式會比Thread.Suspend()要好 */ Console.WriteLine("Thread paused"); } Stop()利用通知_shutdownEvent, 即_shutdownEvent.Set(), 讓Job中 if(_shutdownEvent.WaitOne(0)) break; 條件成立, 跳離while-loop也就順利結束該執行緒 同時為了確保原本執行緒不是被暫停狀態 記得通知_pauseEvent, 即_pauseEvent.Set(); 否則通知_shutdownEvent也枉然 最後在很優雅地等執行緒結束, 即 呼叫_thread.Join(); 而不是Thread.Terminate public void Stop() { // Signal the shutdown event _shutdownEvent.Set(); Console.WriteLine("Thread Stopped "); // Make sure to resume any paused threads _pauseEvent.Set(); // Wait for the thread to exit _thread.Join(); } ----------- 20181118 http://www.albahari.com/threading/ http://www.albahari.com/threading/part2.aspx http://www.albahari.com/threading/part3.aspx http://www.albahari.com/threading/part4.aspx http://www.albahari.com/threading/part5.aspx ---------- using System; using System.Threading; // T1. 背景執行緒類別 public class Worker { // This method will be called when the thread is started. // T2. (背景執行緒類別)須指定啟動函數. public void DoWork() // DoWork()由背景執行緒執行 { // T3.2. 背景執行緒可由(主執行緒通知 或 自行)結束, 返回主執行緒. while (!_shouldStop) // 主執行緒通知停止否? { Console.WriteLine("worker thread: working..."); } Console.WriteLine("worker thread: terminating gracefully."); } // T3.1. 背景執行緒可由(主執行緒通知 或 自行)結束, 返回主執行緒. public void RequestStop() // RequestStop()則是由主執行緒(Primary Thread)執行 { _shouldStop = true; } // Volatile is used as hint to the compiler that this data // member will be accessed by multiple threads. // T3. 背景執行緒需維護volatile變數, 才能主執行緒共用變數. volatile關鍵字通知編譯器: 多執行緒將會存取_shouldStop變數. (因DoWork()由背景執行緒執行, RequestStop()則是由主執行緒(Primary Thread)執行. private volatile bool _shouldStop; } public class WorkerThreadExample { static void Main() { // Create the thread object. This does not start the thread. // 1. 建立新的執行緒. 指定新執行緒對應的物件類別啟動函數為DoWork(), 此處僅為宣告, 並未開始啟動執行緒. Worker workerObject = new Worker(); Thread workerThread = new Thread(workerObject.DoWork); // Start the worker thread. // 2. 新執行緒由Start()開始執行. workerThread.Start(); Console.WriteLine("main thread: Starting worker thread..."); // Loop until worker thread activates. while (!workerThread.IsAlive); // Put the main thread to sleep for 1 millisecond to // allow the worker thread to do some work: // 2.1 主執行緒停頓1ms, 讓新執行緒有時間執行. Thread.Sleep(1); // Request that the worker thread stop itself: // 2.2 主執行緒可通知新執行緒結束工作. 須注意volatile問題: 多執行緒將會存取相同變數. workerObject.RequestStop(); // Use the Join method to block the current thread // until the object's thread terminates. // 2.3 也可以利用新執行緒的Join(), 中止主執行緒的執行工作, 直到新執行緒完成以後, 再繼續執行. workerThread.Join(); Console.WriteLine("main thread: Worker thread has terminated."); } } ---------- using System; using System.Threading; public class Work { public static void Main() { // To start a thread using a shared thread procedure, use // the class name and method name when you create the // ParameterizedThreadStart delegate. // Thread newThread = new Thread( new ParameterizedThreadStart(Work.DoWork)); // Use the overload of the Start method that has a // parameter of type Object. You can create an object that // contains several pieces of data, or you can pass any // reference type or value type. The following code passes // the integer value 42. // newThread.Start(42); // To start a thread using an instance method for the thread // procedure, use the instance variable and method name when // you create the ParameterizedThreadStart delegate. // Work w = new Work(); newThread = new Thread( new ParameterizedThreadStart(w.DoMoreWork)); // Pass an object containing data for the thread. // newThread.Start("The answer."); } public static void DoWork(object data) { Console.WriteLine("Static thread procedure. Data='{0}'", data); } public void DoMoreWork(object data) { Console.WriteLine("Instance thread procedure. Data='{0}'", data); } } /* This code example produces the following output (the order of the lines might vary): Static thread procedure. Data='42' Instance thread procedure. Data='The answer' */ ---------- using System; using System.Threading; public class ThreadWork { public static void DoWork() { for(int i = 0; i<3;i++) { Console.WriteLine("Working thread..."); Thread.Sleep(100); } } } class ThreadTest { public static void Main() { ThreadStart myThreadDelegate = new ThreadStart(ThreadWork.DoWork); Thread myThread = new Thread(myThreadDelegate); myThread.Start(); for(int i = 0; i<3; i++) { Console.WriteLine("In main."); Thread.Sleep(100); } } } output: In main. Working thread... In main. Working thread... In main. Working thread... Note that the sequence of the output statements is typical, but is not guaranteed to be identical across systems. Thread procedures can be static methods or instance methods. See the code example provided for the ThreadStart delegate. For more information about thread creation, see Creating Threads and Passing Data at Start Time. ---------- // statements_lock.cs using System; using System.Threading; class ThreadTest { public void RunMe() { Console.WriteLine("RunMe called"); } static void Main() { ThreadTest b = new ThreadTest(); Thread t = new Thread(b.RunMe); t.Start(); } } output: RunMe called ---------- The following sample uses threads and lock. As long as the lock statement is present, the statement block is a critical section and balance will never become a negative number. // statements_lock2.cs using System; using System.Threading; class Account { private Object thisLock = new Object(); int balance; Random r = new Random(); public Account(int initial) { balance = initial; } int Withdraw(int amount) { // This condition will never be true unless the lock statement // is commented out: if (balance < 0) { throw new Exception("Negative Balance"); } // Comment out the next line to see the effect of leaving out // the lock keyword: lock(thisLock) { if (balance >= amount) { Console.WriteLine("Balance before Withdrawal : " + balance); Console.WriteLine("Amount to Withdraw : -" + amount); balance = balance - amount; Console.WriteLine("Balance after Withdrawal : " + balance); return amount; } else { return 0; // transaction rejected } } } public void DoTransactions() { for (int i = 0; i < 100; i++) { Withdraw(r.Next(1, 100)); } } } class Test { static void Main() { Thread[] threads = new Thread[10]; Account acc = new Account(1000); for (int i = 0; i < 10; i++) { Thread t = new Thread(new ThreadStart(acc.DoTransactions)); threads[i] = t; } for (int i = 0; i < 10; i++) { threads[i].Start(); } } } ---------- thread.Sleep() thread.Start() thread.Join() using System; using System.Threading; // Simple threading scenario: Start a static method running // on a second thread. public class ThreadExample { // The ThreadProc method is called when the thread starts. // It loops ten times, writing to the console and yielding // the rest of its time slice each time, and then ends. public static void ThreadProc() { for (int i = 0; i < 10; i++) { Console.WriteLine("ThreadProc: {0}", i); // Yield the rest of the time slice. Thread.Sleep(0); } } public static void Main() { Console.WriteLine("Main thread: Start a second thread."); // The constructor for the Thread class requires a ThreadStart // delegate that represents the method to be executed on the // thread. C# simplifies the creation of this delegate. Thread t = new Thread(new ThreadStart(ThreadProc)); // Start ThreadProc. On a uniprocessor, the thread does not get // any processor time until the main thread yields. Uncomment // the Thread.Sleep that follows t.Start() to see the difference. t.Start(); //Thread.Sleep(0); for (int i = 0; i < 4; i++) { Console.WriteLine("Main thread: Do some work."); Thread.Sleep(0); } Console.WriteLine("Main thread: Call Join(), to wait until ThreadProc ends."); t.Join(); Console.WriteLine("Main thread: ThreadProc.Join has returned. Press Enter to end program."); Console.ReadLine(); } }