C++ 中数组中三元组(大小为 3 的子序列)的最大乘积
在本教程中,我们将讨论一个程序,用于在数组中查找三元组(大小为 3 的子序列)的最大乘积。
为此,我们将在其中提供一个整数数组。我们的任务是找到具有最大乘积的该数组中的三个元素
示例
#include <bits/stdc++.h> using namespace std; //finding the maximum product int maxProduct(int arr[], int n){ if (n < 3) return -1; int max_product = INT_MIN; for (int i = 0; i < n - 2; i++) for (int j = i + 1; j < n - 1; j++) for (int k = j + 1; k < n; k++) max_product = max(max_product, arr[i] * arr[j] * arr[k]); return max_product; } int main() { int arr[] = { 10, 3, 5, 6, 20 }; int n = sizeof(arr) / sizeof(arr[0]); int max = maxProduct(arr, n); if (max == -1) cout << "No Triplet Exists"; else cout << "Maximum product is " << max; return 0; }
输出
Maximum product is 1200
广告