假设我们有一个整数n。我们必须返回任何包含n个唯一整数的数组,以使它们的总和为0。因此,如果输入为n = 5,则一个可能的输出将为[-7,-1、1、3、4]
为了解决这个问题,我们将遵循以下步骤-
将数组A作为最终答案,并将x:= 0
对于i,范围为0至n – 2
A [i] =(i + 1)
x:= x + i + 1
A [n – 1] = x
返回A
让我们看下面的实现以更好地理解-
#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> sumZero(int n) { vector <int> ans(n); int x = 0; for(int i = 0; i < n - 1; i++){ ans[i] = (i + 1); x += (i + 1); } ans[n - 1] = -x; return ans; } }; main(){ Solution ob; print_vector(ob.sumZero(10)) ; }
10
输出结果
[1, 2, 3, 4, 5, 6, 7, 8, 9, -45, ]