在本文中,我们将讨论重新排列给定的 n 个数字的数组的问题。基本上,我们必须从数组中选择元素。为了选择每个元素,我们得到一些点,这些点将通过当前元素的值*当前元素之前选择的元素数来评估。您应该选择元素以获得最高分。例如 -
Input : arr[ ] = { 3, 1, 5, 6, 3 } If we select the elements in the way it is given, our points will be = 3 * 0 + 1 * 1 + 5 * 2 + 6 * 3 + 3 * 4 = 41 To maximize the points we have to select the elements in order { 1, 3, 3, 5, 6 } = 1 * 0 + 3 * 1 + 3 * 2 + 5 * 3 + 6 * 4 = 48(maximum) Output : 48 Input : arr[ ] = { 2, 4, 7, 1, 8 } Output : 63
看这个例子,我们得到了得到最大点,我们需要从小到大选择元素。找到解决方案的方法是,
#include <bits/stdc++.h> #include <iostream> using namespace std; int main () { int arr[] = { 2, 4, 7, 1, 8 }; int n = sizeof (arr) / sizeof (arr[0]); // sorting the array sort (arr, arr + n); int points = 0; // traverse the array and calculate the points for (int i = 0; i < n; i++) { points += arr[i] * i; } cout << "Maximum points: " << points; return 0; }
Maximum points: 63
这段C++代码很容易理解。首先我们对数组进行排序,然后使用 for 循环遍历数组并计算从头到尾选择每个元素所获得的分数。
在本文中,我们讨论选择数组中的元素以获得最大点的问题,其中点由 i * arr[i] 计算。我们采用贪心方法来解决这个问题并获得最大分数。还讨论 C++ 代码来做同样的事情,我们可以用任何其他语言(如 C、java、Python 等)编写此代码。希望本文对您有所帮助。
以上是重新排列一个数组以最大化i*arr,使用C++的详细内容。更多信息请关注PHP中文网其他相关文章!