이 기사에서는 표준 편차를 계산하는 방법을 이해할 것입니다. 표준 편차는 분산된 숫자의 측정값입니다. 기호는 시그마( σ )입니다. 분산의 제곱근입니다.
표준 편차는 ∑(Xi - ų)2 / N의 공식 제곱근을 사용하여 계산됩니다. 여기서 Xi는 배열의 요소, ų은 배열 요소의 평균, N은 요소 수, ∑는 다음의 합입니다. 각 요소.
아래는 동일한 데모입니다 -
입력이 다음과 같다고 가정하면 -
Input Array : [ 35.0, 48.0, 60.0, 71.0, 80.0, 95.0, 130.0 ]
원하는 출력은 -
Standard Deviation: 29.313227
알고리즘
Step 1 - START Step 2 – Declare a double array namely input_array, two doube values namely sum and standard_deviation. Step 3 - Read the required values from the user/ define the values. Step 4 – Compute ∑(Xi - ų)2 / N and store the value in result variable. Step 5 - Display the result Step 6 - Stop
예시 1
여기에서는 프롬프트에 따라 사용자가 입력하고 있습니다.
public class StandardDeviation { public static void main(String[] args) { double[] input_array = { 35, 48, 60, 71, 80, 95, 130}; System.out.println("The elements of the array is defined as"); for (double i : input_array) { System.out.print(i +" "); } double sum = 0.0, standard_deviation = 0.0; int array_length = input_array.length; for(double temp : input_array) { sum += temp; } double mean = sum/array_length; for(double temp: input_array) { standard_deviation += Math.pow(temp - mean, 2); } double result = Math.sqrt(standard_deviation/array_length); System.out.format("\n\nThe Standard Deviation is: %.6f", result); } }
출력
The elements of the array is defined as 35.0 48.0 60.0 71.0 80.0 95.0 130.0 The Standard Deviation is: 29.313227
예시 2
여기에서 표준편차를 계산하는 함수를 정의했습니다.
public class StandardDeviation { public static void main(String[] args) { double[] input_array = { 35, 48, 60, 71, 80, 95, 130}; System.out.println("The elements of the array is defined as"); for (double i : input_array) { System.out.print(i +" "); } double standard_deviation = calculateSD(input_array); System.out.format("\n\nThe Standard Deviation is: %.6f", standard_deviation); } public static double calculateSD(double input_array[]) { double sum = 0.0, standard_deviation = 0.0; int array_length = input_array.length; for(double temp : input_array) { sum += temp; } double mean = sum/array_length; for(double temp: input_array) { standard_deviation += Math.pow(temp - mean, 2); } return Math.sqrt(standard_deviation/array_length); } }
출력
The elements of the array is defined as 35.0 48.0 60.0 71.0 80.0 95.0 130.0 The Standard Deviation is: 29.313227