假设我们有一个数组A。我们必须用该元素右侧的最大元素替换每个元素。并将最后一个替换为-1。因此,如果A = [5、17、40、6、3、8、2],则它将为[40,40,8,8,8,2,-1]
为了解决这个问题,我们将遵循以下步骤-
我们将从右到左读取数组元素。
取e:= -1
对于i:= n – 1到0
温度:= e
e:= e和array [i]之间的最大值
array [i]:=临时
返回数组
让我们看下面的实现以更好地理解-
#include <bits/stdc++.h> using namespace std; void print_vector(vector<int> v){ cout << "["; for(int i = 0; i<v.size(); i++){ cout << v[i] << ", "; } cout << "]"<<endl; } class Solution { public: vector<int> replaceElements(vector<int>& arr) { int rep = -1; int n = arr.size(); for(int i = n - 1; i >= 0; i--){ int temp = rep; rep = max(rep, arr[i]); arr[i] = temp; } return arr; } }; main(){ Solution ob; vector<int> c = {5,17,40,6,3,8,2}; print_vector(ob.replaceElements(c)) ; }
[5,17,40,6,3,8,2]
输出结果
[40,40,8,8,8,2,-1]