在C++中查找三个栈可能相等的最大和


假设我们有三个正数栈。我们必须找到允许移除顶部元素的栈可能相等的最大的和。栈用数组表示。数组的第一个索引表示栈的顶部元素。假设栈元素类似于[3, 10]、[4, 5]和[2, 1]。输出将为0。只有在从所有栈中移除所有元素后,和才能相等。

为了解决这个问题,我们将遵循这个思路。这个思路是比较每个栈的和,如果它们不相等,则移除具有最大和的栈的顶部元素。我们将遵循以下步骤:

  • 查找各个栈中所有元素的和。

  • 如果三个栈的和相等,则这是最大和。

  • 否则,移除三个栈中和最大的栈的顶部元素。然后重复步骤1和步骤2。

示例

 在线演示

#include <iostream>
#include <algorithm>
using namespace std;
int maxStackSum(int stk1[], int stk2[], int stk3[], int size1, int size2, int size3) {
   int add1 = 0, add2 = 0, add3 = 0;
   for (int i=0; i < size1; i++)
      add1 += stk1[i];
   for (int i=0; i < size2; i++)
      add2 += stk2[i];
   for (int i=0; i < size3; i++)
      add3 += stk3[i];
   int top1 =0, top2 = 0, top3 = 0;
   int ans = 0;
   while (true){
      if (top1 == size1 || top2 == size2 || top3 == size3)
         return 0;
      if (add1 == add2 && add2 == add3)
         return add1;
      if (add1 >= add2 && add1 >= add3)
         add1 -= stk1[top1++];
      else if (add2 >= add3 && add2 >= add3)
         add2 -= stk2[top2++];
      else if (add3 >= add2 && add3 >= add1)
         add3 -= stk3[top3++];
   }
}
int main() {
   int stack1[] = { 3, 2, 1, 1, 1 };
   int stack2[] = { 4, 3, 2 };
   int stack3[] = { 1, 1, 4, 1 };
   int size1 = sizeof(stack1)/sizeof(stack1[0]);
   int size2 = sizeof(stack2)/sizeof(stack2[0]);
   int size3 = sizeof(stack3)/sizeof(stack3[0]);
   cout << "The maximum sum is: " << maxStackSum(stack1, stack2, stack3, size1, size2, size3);
}

输出

The maximum sum is: 5

更新于:2020年1月3日

158 次浏览

开始您的职业生涯

完成课程获得认证

开始
广告