C++ 中给定数组的 arr[i] % arr[j] 的最大值
在这个问题中,我们给定一个包含 n 个元素的数组。我们的任务是创建一个程序,找到给定数组的 arr[i]%arr[j] 的最大值。
所以,基本上我们需要找到数组中两个元素相除时的最大余数。
让我们举个例子来理解这个问题,
输入 − 数组{3, 6, 9, 2, 1}
输出 − 6
解释 −
3%3 = 0; 3%6 = 3; 3%9 = 3; 3%2 = 1; 3%1 = 0 6%3 = 0; 6%6 = 0; 6%9 = 6; 6%2 = 0; 6%1 =0 9%3 = 0; 9%6 = 3; 9%9 = 0 9%2 = 1; 9%1 = 0 2%3 = 2; 2%6 = 2; 2%9 = 2; 2%2 = 0; 2%1 = 0 1%3 = 1; 1%6 = 1; 1%9 = 1; 1%2 =1; 1%1 = 0 Out the above remainders the maximum is 6.
所以,找到解决方案的一种直接方法是计算每对元素的余数,然后找到所有余数中的最大值。但是这种方法效率不高,因为它的时间复杂度是 n2 级别。
因此,一种有效的解决方案是利用 x%y 的值在 y>x 时最大,此时余数为 x 的逻辑。并且在数组的所有元素中,如果我们取两个最大元素,则结果将是最大的。为此,我们将对数组进行排序,然后遍历倒数第一个和倒数第二个元素以提供结果。
示例
程序演示了我们解决方案的实现,
#include <bits/stdc++.h> using namespace std; int maxRemainder(int arr[], int n){ bool hasSameValues = true; for(int i = 1; i<n; i++) { if (arr[i] != arr[i - 1]) { hasSameValues = false; break; } } if (hasSameValues) return 0; sort(arr, arr+n); return arr[n-2]; } int main(){ int arr[] = { 3, 6, 9, 2, 1 }; int n = sizeof(arr) / sizeof(arr[0]); cout<<"The maximum remainder on dividing two elements of the array is "<<maxRemainder(arr, n); return 0; }
输出
The maximum remainder on dividing two elements of the array is 6
广告