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

C++에서 특정 요소를 제외한 최대 하위 배열 합계

<시간/>

이 튜토리얼에서는 특정 요소를 제외한 최대 하위 배열 합계를 찾는 프로그램에 대해 설명합니다.

이를 위해 우리는 크기가 M과 N인 두 개의 배열이 제공될 것입니다. 우리의 임무는 하위 배열 내부의 요소가 두 번째 배열 내부에 존재하지 않고 하위 배열의 요소 합계가 다음과 같이 되도록 첫 번째 배열에서 하위 배열을 찾는 것입니다. 최대.

#include <bits/stdc++.h>
using namespace std;
//checking if element is present in second array
bool isPresent(int B[], int m, int x) {
   for (int i = 0; i < m; i++)
   if (B[i] == x)
   return true;
   return false;
}
int findMaxSubarraySumUtil(int A[], int B[], int n, int m) {
   int max_so_far = INT_MIN, curr_max = 0;
   for (int i = 0; i < n; i++) {
      if (isPresent(B, m, A[i])) {
         curr_max = 0;
         continue;
      }
      curr_max = max(A[i], curr_max + A[i]);
      max_so_far = max(max_so_far, curr_max);
   }
   return max_so_far;
}
void findMaxSubarraySum(int A[], int B[], int n, int m) {
   int maxSubarraySum = findMaxSubarraySumUtil(A, B, n, m);
   if (maxSubarraySum == INT_MIN) {
      cout << "Maximum Subarray Sum cant be found" << endl;
   } else {
      cout << "The Maximum Subarray Sum = " << maxSubarraySum << endl;
   }
}
int main() {
   int A[] = { 3, 4, 5, -4, 6 };
   int B[] = { 1, 8, 5 };
   int n = sizeof(A) / sizeof(A[0]);
   int m = sizeof(B) / sizeof(B[0]);
   findMaxSubarraySum(A, B, n, m);
   return 0;
}

출력

The Maximum Subarray Sum = 7