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

배열(C++)에서 모든 쌍으로 연속적인 요소의 절대 차이?

<시간/>

이 문제에서 우리는 배열의 각 요소 쌍의 요소 간의 절대 차이를 얻는 방법을 볼 것입니다. n개의 요소가 있는 경우 결과 배열에는 n-1개의 요소가 포함됩니다. 요소가 {8, 5, 4, 3}이라고 가정합니다. 결과는 |8-5| =3, |5-4| =1, |4-3|=1.

알고리즘

pairDiff(arr, n)

begin
   res := an array to hold results
   for i in range 0 to n-2, do
      res[i] := |res[i] – res[i+1]|
   done
end

예시

#include<iostream>
#include<cmath>
using namespace std;
void pairDiff(int arr[], int res[], int n) {
   for (int i = 0; i < n-1; i++) {
      res[i] = abs(arr[i] - arr[i+1]);
   }
}
main() {
   int arr[] = {14, 20, 25, 15, 16};
   int n = sizeof(arr) / sizeof(arr[0]);
   int res[n-1];
   pairDiff(arr, res, n);
   cout << "The differences array: ";
   for(int i = 0; i<n-1; i++) {
      cout << res[i] << " ";
   }
}

출력

The differences array: 6 5 10 1