Computer >> 컴퓨터 >  >> 프로그램 작성 >> C++

배열에서 반전을 계산하는 C++ 프로그램

<시간/>

카운트 반전은 배열을 정렬하는 데 필요한 스위치 수를 의미합니다. 반전 횟수 =0, 배열이 정렬될 때. 반전 횟수 =최대, 배열이 역순으로 정렬된 경우.

배열의 반전을 계산하는 C++ 프로그램을 개발해 보겠습니다.

알고리즘

Begin
   Function CountInversionArray has arguments a[], n = number of elements.
   initialize counter c := 0
   for i in range 0 to n-1, do
      for j in range (i + 1) to n, do
         if a[i] > a[j], then
            increase the count by 1
         done
      done
End.

예시 코드

#include<iostream>
using namespace std;
int CountInversionArray(int a[], int n) {
   int i, j, c = 0;
   for(i = 0; i < n; i++) {
      for(j = i+1; j < n; j++)
         if(a[i] > a[j])
            c++;
   }
   return c;
}
int main() {
   int n, i;
   cout<<"\nEnter the number of elements: ";
   cin>>n;
   int a[n];
   for(i = 0; i < n; i++) {
      cout<<"Enter element "<<i+1<<": ";
      cin>>a[i];
   }
   cout<<"\nThe number of inversion in the array: "<<CountInversionArray(a, n);
   return 0;
}

출력

Enter the number of elements: 5
Enter element 1: 3
Enter element 2: 2
Enter element 3: 7
Enter element 4: 6
Enter element 5: 1

The number of inversion in the array: 6