添加具有给定约束的给定数组的元素?
对于此问题,要添加两个给定数组的元素,我们有一些约束,基于这些约束,将改变添加的值。将两个给定数组a []和b []的总和存储到第三个数组c []中,这样它们会将一些元素以一位数字给出。如果总和的位数大于1,则第三个数组的元素将拆分为两个个位数的元素。例如,如果总和为27,则将其存储为2,7的第三个数组。
Input: a[] = {1, 2, 3, 7, 9, 6}b[] = {34, 11, 4, 7, 8, 7, 6, 99}
Output: 3 5 1 3 7 1 4 1 7 1 3 6 9 9
说明
输出数组并从两个数组的第0个索引开始运行循环。对于循环的每次迭代,我们考虑两个数组中的下一个元素并将其添加。如果总和大于9,我们将总和的各个数字推入输出数组,否则我们将总和本身推入。最后,我们将较大的输入数组的其余元素推到输出数组。
示例
#include <iostream>#include<bits/stdc++.h>
using namespace std;
void split(int n, vector<int> &c) {
vector<int> temp;
while (n) {
temp.push_back(n%10);
n = n/10;
}
c.insert(c.end(), temp.rbegin(), temp.rend());
}
void addArrays(int a[], int b[], int m, int n) {
vector<int> out;
int i = 0;
while (i < m && i < n) {
int sum = a[i] + b[i];
if (sum < 10) {
out.push_back(sum);
} else {
split(sum, out);
}
i++;
}
while (i < m) {
split(a[i++], out);
}
while (i < n) {
split(b[i++], out);
}
for (int x : out)
cout << x << " ";
}
int main() {
int a[] = {1, 2, 3, 7, 9, 6};
int b[] = {34, 11, 4, 7, 8, 7, 6, 99};
int m =6;
int n = 8;
addArrays(a, b, m, n);
return 0;
}
以上是 添加具有给定约束的给定数组的元素? 的全部内容, 来源链接: utcz.com/z/322402.html