IL code performance of Generic List And Non Generic List

 
What happens when you run the test application for performance comparison?
  1. When you run the application, JIT (Just in Time) compiler runs.
  2. JIT compiles the application, optimizes the code, and finds the best approach to executes the code.
  3. All these JIT steps are time-consuming which are included in the first execution, so the execution time is always way more than the actual run time
  4. So how can you calculate the actual run time? Simple! To check the performance of your test application with test data, call the code snippet in a loop.
Example
private static void GenericListPerformance() {  
    var genList = new List < int > () {  
        10,  
        100,  
        13,  
        19,  
        14,  
        100,  
        99  
    };  
    var nonGenList = new ArrayList() {  
        10,  
        100,  
        13,  
        19,  
        14,  
        100,  
        99  
    };  
    var stWatch = Stopwatch.StartNew();  
    genList.Sort();  
    stWatch.Stop();  
    Console.WriteLine("Generic List sorting " + stWatch.Elapsed.TotalMilliseconds.ToString());  
    stWatch = Stopwatch.StartNew();  
    nonGenList.Sort();  
    stWatch.Stop();  
    Console.WriteLine("Non Generic List sorting " + stWatch.Elapsed.TotalMilliseconds.ToString());  
}  

Here, I have created a simple method to compare the two lists - ArrayList and List<T>. I have used Stopwatch which is present in the System.Diagnostics namespace of .NET framework and then, printed the messages with time.

static void Main(string[] args) {  
    for (int i = 0; i < 5; i++) {  
        Console.WriteLine(string.Format("<--------Call Number {0} -------->", i));  
        GenericListPerformance();  
        Console.WriteLine();  
    }  
}  

Now, this is where I have used the actual concept. I have called the same method in main, inside a loop which runs 5 times. So, when it runs for the first time, JIT can optimize the code and find the best approach to run this code. Later, JIT will use the native code and give us the best results.

Result
 
See the results.
 
 
For the first run, the execution time is-
 
For Generic - 0.0263

For Non-Generic – 0.233
 
And later, it came to be like -
 
Generic – 0.0012, 0.0013, 0.0011, 0.0013

Non-Generic – 0.0032, 0.0026, 0.0026, 0.0029
 
 
Therefore, we should always consider the JIT time. 
 
That is it. Comment if you have any questions or want me to do some analysis on a topic you want.