Atomic.txt ---------- 20191106 https://stackoverflow.com/questions/38722529/in-c-what-does-atomic-mean Atomic operations are ones that cannot be interrupted partway through, such as by threading. Take for instance the statement _value++; If you have two threads executing this code at once with a starting value of 0, you may have the following Thread A reads _value, 0 Thread A adds 1, 1 Thread B reads _value, 0 Thread B adds 1, 1 Thread A assigns to _value, 1 Thread B assigns to _value, 1 so now, even though we've called an increment twice, the final value in _value is 1, not the expected 2. This is because increment operators are not atomic. The function Interlocked.Increment, however, is atomic, so replacing the above code with Interlocked.Increment(ref _value); Would solve the given race condition. EDIT: As a point of etymology, "atomic" usually means "indivisible" - the chemistry term we're familiar with is a misnomer held over from the belief that atoms were indivisible, only for later discoveries to break them down further into subatomic, quark, and matter/energy. ---------- Increments a specified variable and stores the result, as an atomic operation The following code example shows a thread-safe way to increment and decrement an integer value. SafeInstanceCount will always be zero. However, UnsafeInstanceCount will not necessarily be zero because a race condition occurs between incrementing and decrementing the count. This effect is especially marked on a multiprocessor computer. using System; using System.Threading; class Test { static void Main() { Thread thread1 = new Thread(new ThreadStart(ThreadMethod)); Thread thread2 = new Thread(new ThreadStart(ThreadMethod)); thread1.Start(); thread2.Start(); thread1.Join(); thread2.Join(); // Have the garbage collector run the finalizer for each  // instance of CountClass and wait for it to finish. GC.Collect(); GC.WaitForPendingFinalizers(); Console.WriteLine("UnsafeInstanceCount: {0}" + "\nSafeCountInstances: {1}", CountClass.UnsafeInstanceCount.ToString(), CountClass.SafeInstanceCount.ToString()); } static void ThreadMethod() { CountClass cClass; // Create 100,000 instances of CountClass.  for(int i = 0; i < 100000; i++) { cClass = new CountClass(); } } } class CountClass { static int unsafeInstanceCount = 0; static int safeInstanceCount = 0; static public int UnsafeInstanceCount { get {return unsafeInstanceCount;} } static public int SafeInstanceCount { get {return safeInstanceCount;} } public CountClass() { unsafeInstanceCount++; Interlocked.Increment(ref safeInstanceCount); } ~CountClass() { unsafeInstanceCount--; Interlocked.Decrement(ref safeInstanceCount); } }