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

C++의 정수 배열에서 최대 곱을 가진 쌍 찾기

<시간/>

배열 A가 있다고 가정하고 n개의 다른 요소가 있습니다. x와 y의 곱이 최대가 되도록 배열 A에서 쌍(x, y)을 찾아야 합니다. 배열에는 양수 또는 음수 요소가 포함될 수 있습니다. 배열이 A =[-1, -4, -3, 0, 2, -5]와 같다고 가정하면 곱이 최대이므로 쌍은 (-4, -5)가 됩니다.

이 문제를 해결하려면 positive_max, positive_second_max, negative_max, negative_second_max의 네 가지 숫자를 추적해야 합니다. 마지막에 (positive_max * positive_second_max)가 (negative_max * negative_second_max)보다 크면 양수 쌍을 반환하고 그렇지 않으면 음수 쌍을 반환합니다.

예시

#include<iostream>
#include<cmath>
using namespace std;
void maxProdPair(int arr[], int n) {
   if (n < 2) {
      cout << "No pair is present";
      return;
   }
   if (n == 2) {
      cout << "(" << arr[0] << ", " << arr[1] << ")" << endl;
      return;
   }
   int pos_max = INT_MIN, pos_second_max = INT_MIN;
   int neg_max = INT_MIN, neg_second_max = INT_MIN;
   for (int i = 0; i < n; i++) {
      if (arr[i] > pos_max) {
         pos_second_max = pos_max;
         pos_max = arr[i];
      } else if (arr[i] > pos_second_max)
      pos_second_max = arr[i];
      if (arr[i] < 0 && abs(arr[i]) > abs(neg_max)) {
         neg_second_max = neg_max;
         neg_max = arr[i];
      }
      else if(arr[i] < 0 && abs(arr[i]) > abs(neg_second_max))
      neg_second_max = arr[i];
   }
   if (neg_max*neg_second_max > pos_max*pos_second_max)
      cout << "(" << neg_max << ", " << neg_second_max << ")" << endl;
   else
      cout << "(" << pos_max << ", " << pos_second_max << ")" << endl;
}
int main() {
   int arr[] = {-1, -4, -3, 0, 2, -5};
   int n = sizeof(arr)/sizeof(arr[0]);
   maxProdPair(arr, n);
}

출력

(-5, -4)