使用 C++ 使数组变为“好数组”所需移除的最小元素数。


问题陈述

给定一个数组“arr”,任务是找到使数组变为“好数组”所需移除的最小元素数。

如果对于每个元素 a[i],都存在一个元素 a[j](i 不等于 j),使得 a[i] + a[j] 是 2 的幂,则序列 a1、a2、a3…an 被称为“好数组”。

arr1[] = {1, 1, 7, 1, 5}

在上面的数组中,如果我们删除元素 '5',则数组变为“好数组”。在此之后,arr[i] + arr[j] 的任意一对都是 2 的幂 -

  • arr[0] + arr[1] = (1 + 1) = 2,它是 2 的幂
  • arr[0] + arr[2] = (1 + 7) = 8,它是 2 的幂

算法

1. We have to delete only such a[i] for which there is no a[j] such that a[i] + a[i] is a power of 2.
2. For each value find the number of its occurrences in the array
3. Check that a[i] doesn’t have a pair a[j]

示例

#include <iostream>
#include <map>
#define SIZE(arr) (sizeof(arr) / sizeof(arr[0]))
using namespace std;
int minDeleteRequred(int *arr, int n){
   map<int, int> frequency;
   for (int i = 0; i < n; ++i) {
      frequency[arr[i]]++;
   }
   int delCnt = 0;
   for (int i = 0; i < n; ++i) {
      bool doNotRemove = false;
      for (int j = 0; j < 31; ++j) {
         int pair = (1 << j) - arr[i];
         if (frequency.count(pair) &&
            (frequency[pair] > 1 ||
         (frequency[pair] == 1 &&
         pair != arr[i]))) {
            doNotRemove = true;
            break;
         }
      }
      if (!doNotRemove) {
         ++delCnt;
      }
   }
   return delCnt;
}
int main(){
   int arr[] = {1, 1, 7, 1, 5};
   cout << "Minimum elements to be deleted = " << minDeleteRequred(arr, SIZE(arr)) << endl;
   return 0;
}

输出

编译并执行上述程序时,它会生成以下输出 -

Minimum elements to be deleted = 1

更新于: 2019-10-31

891 次查看

开启你的 职业生涯

通过完成课程获得认证

开始学习
广告

© . All rights reserved.