GC-Garbage Collection.txt ---------- 20190812 #region GC Garbage Collection. /// /// 取得目前已使用的記憶體容量. /// /// public static long GCGetTotalMemory() { // A number that is the best available approximation of the number of bytes currently allocated in managed memory. // https://www.codeproject.com/Questions/1098890/How-do-I-measure-memory-usage-of-my-application-in return GC.GetTotalMemory(true); // CodeHelper. } /// /// 將目前已使用的記憶體容量. /// public static void GCSaveTotalMemoryBase() { _TotalMemoryUsedBase = GCGetTotalMemory(); } /// /// 取得之各層代(Generation)記憶體回收回收次數. /// 若沒有需要配置記憶體, 則 GC.CollectionCount(i) 回傳 0. /// 0層代 = Index 0 = 存放最新建立的物件 = 記憶體回收最常在 0 層代中進行. /// GC 只會在配置記憶體時才會執行. /// /// public static int[] GCGetCollectionCount() { // Returns the number of times garbage collection has occurred for the specified generation of objects. // The GC does not run all the time but only when memory is allocated.If memory usage is flat, the GC will never run and GC.CollectionCount(0) will always return 0, as expected. // https://www.codeproject.com/Questions/1098890/How-do-I-measure-memory-usage-of-my-application-in int[] ia1 = new int[GC.MaxGeneration + 1]; for (int i = 0; i <= GC.MaxGeneration; i++) ia1[i] = GC.CollectionCount(i); // CodeHelper. return ia1; } public static string GCGetStatus() { long lOffset = GCGetTotalMemory() - _TotalMemoryUsedBase; return $"Memory incresed {((double)lOffset).ZGetSizeBytesShortName()} bytes, Base on {_TotalMemoryUsedBase.ToString("N0")}, Generation={GCGetCollectionCount().ZJoin()}"; } #endregion ---------- ref: https://stackoverflow.com/questions/4033357/what-is-going-on-here-net-gc-collectioncount0-keeps-increasing What is going on here? (.Net) GC.CollectionCount(0) keeps increasing While testing application performance, I came across some pretty strange GC behavior. In short, the GC runs even on an empty program without runtime allocations! The following application demonstrates the issue: using System; using System.Collections.Generic; public class Program { // Preallocate strings to avoid runtime allocations. static readonly List Integers = new List(); static int StartingCollections0, StartingCollections1, StartingCollections2; static Program() { for (int i = 0; i < 1000000; i++) Integers.Add(i.ToString()); GC.Collect(); GC.WaitForPendingFinalizers(); GC.Collect(); } static void Main(string[] args) { DateTime start = DateTime.Now; int i = 0; Console.WriteLine("Test 1"); StartingCollections0 = GC.CollectionCount(0); StartingCollections1 = GC.CollectionCount(1); StartingCollections2 = GC.CollectionCount(2); while (true) { if (++i >= Integers.Count) { Console.WriteLine(); break; } // 1st test - no collections! { if (i % 50000 == 0) { PrintCollections(); Console.Write(" - "); Console.WriteLine(Integers[i]); //System.Threading.Thread.Sleep(100); // or a busy wait (run in debug mode) for (int j = 0; j < 50000000; j++) { } } } } i = 0; Console.WriteLine("Test 2"); StartingCollections0 = GC.CollectionCount(0); StartingCollections1 = GC.CollectionCount(1); StartingCollections2 = GC.CollectionCount(2); while (true) { if (++i >= Integers.Count) { Console.WriteLine("Press any key to continue..."); Console.ReadKey(true); return; } DateTime now = DateTime.Now; TimeSpan span = now.Subtract(start); double seconds = span.TotalSeconds; // 2nd test - several collections if (seconds >= 0.1) { PrintCollections(); Console.Write(" - "); Console.WriteLine(Integers[i]); start = now; } } } static void PrintCollections() { Console.Write(Integers[GC.CollectionCount(0) - StartingCollections0]); Console.Write("|"); Console.Write(Integers[GC.CollectionCount(1) - StartingCollections1]); Console.Write("|"); Console.Write(Integers[GC.CollectionCount(2) - StartingCollections2]); } } Can someone explain what is going on here? I was under the impression that the GC won't run unless memory pressure hits specific limits. However, it seems to run (and collect) all the time - is this normal? Edit: I have modified the program to avoid all runtime allocations. Edit 2: Ok, new iteration and it seems that DateTime is the culprit. One of the DateTime methods allocates memory (probably Subtract), which causes the GC to run. The first test now causes absolutely no collections - as expected - while the second causes several. In short, the GC only runs when it needs to run - I was just generating memory pressure unwittingly (DateTime is a struct and I thought it wouldn't generate garbage). answer: GC.CollectionCount(0) returns the following: The number of times garbage collection has occurred for the specified generation since the process was started. Therefore you should see an increase in the numbers and that increase doesn't mean that memory is leaking but that the GC has run. Also in the first case you can see this increase. It simply will happen much slower because the very slow Console.WriteLine method is called much more often, slowing things down a lot. answer: Another thing that should be noted here is that GC.Collect() is not a synchronous function call. It triggers a garbage collection, but that garbage collection occurs on a background thread, and theoretically may not have finished running by the time you get around to checking your GC statistics. There is a GC.WaitForPendingFinalizers call which you can make after GC.Collect to block until the garbage collection occurs. If you really want to attempt to accurately track GC statistics in different situations, I would instead utilize the Windows Performance Monitor on your process, where you can create monitors on all sorts of things, including .NET Heap statistics. answer: If you just wait a few seconds, you see that the collection count also increases in the first test, but not as fast. The differences between the codes is that the first test writes out the collection count all the time, as fast as it can, while the second test loops without writing anything out until the time limit is reached. The first test spends most of the time waiting for text being written to the console, while the second test spends most of the time looping, waiting for the time limit. The second test will do a lot more iterations during the same time. I counted the iterations, and printed out the number of iterations per garbage collection. On my computer the first test stabilises around 45000 iterations per GC, while the second test stabilises around 130000 iterations per GC. So, the first test actually does more garbage collections than the second test, about three times as many. answer: Thanks everyone! Your suggestions helped reveal the culprit: DateTime is allocating heap memory. The GC does not run all the time but only when memory is allocated. If memory usage is flat, the GC will never run and GC.CollectionCount(0) will always return 0, as expected. The latest iteration of the test showcases this behavior. The first test run does not allocate any heap memory (GC.CollectionCount(0) remains 0), while the second allocates memory in a non-obvious fashion: through DateTime.Subtract() -> Timespan. Now, both DateTime and Timespan are value types, which is why I found this behavior surprising. Still, there you have it: there was a memory leak after all.