Home »
.Net »
C# Programs
C# - Find the Standard Deviation of Numbers
Here, we are going to learn how to calculate the Standard Deviation of a set of given numbers in C#?
By Nidhi Last updated : April 15, 2023
Finding Standard Deviation of Numbers
Here we will calculate the Standard Deviation of a set of given numbers and then print the calculated Standard Deviation on the console screen.
C# program to find the standard deviation of given numbers
The source code to calculate the Standard Deviation of a set of given numbers is given below. The given program is compiled and executed successfully on Microsoft Visual Studio.
//C# Program to Find the Standard Deviation of a
//set of given numbers.
using System;
using System.Collections.Generic;
class Program
{
private static void Main()
{
List<double> list = new List<double> { 1, 2, 3, 4, 5, 6};
double mean = 0;
double variance = 0;
double standard_deviation = 0;
double sum = 0;
double temp = 0;
int loop = 0;
for (loop = 0; loop < list.Count; loop++)
{
sum += list[loop];
}
mean = sum / (list.Count - 0);
for (loop = 0; loop < list.Count; loop++)
{
temp += Math.Pow((list[loop] - mean), 2);
}
variance=temp / (list.Count - 0);
standard_deviation = Math.Sqrt(variance);
Console.WriteLine("Mean : " + mean );
Console.WriteLine("Variance : " + variance );
Console.WriteLine("Standard deviation: " + standard_deviation);
}
}
Output
Mean : 3.5
Variance : 2.91666666666667
Standard deviation: 1.70782512765993
Press any key to continue . . .
Explanation
Here, we created a class Demo that contains a static method Main(). The Main() method is the entry point of the program. Here we created the list of numbers, and then calculate the MEAN, VARIANCE, and STANDARD DEVIATION of the given list of numbers. After that, we printed the calculated values on the console screen.
C# Basic Programs »