Answer the question
In order to leave comments, you need to log in
How to create an array in C++ consisting of the difference of the elements of two other arrays?
The task is as follows: there are 3 arrays A, B and C with 10 elements each. You need to create a fourth array Y, which is filled with the difference between the elements of arrays A and B (for example, A = { 2, 3 }, B = { 1, 2 }, then Y = { 2-1, 3-2 }), but only those which correspond to the positive elements of the C array.
I just started learning C++, so I don't know how to perform such a subtraction operation with arrays and at the same time fill a new array. I fulfilled the condition with array C. Here is the code:
#include <iostream>
using namespace std;
int main()
{
// Определяю массивы
int a[10] = { -7, 17, 69, 25, 88, 14, 84, 36, -4, 75 };
int b[10] = { 16, -30, 11, 39, 15, -36, 12, 6, -30, 5 };
int c[10] = { -19, 35, -6, 15, -9, 13, 8, 12, -33, 42 };
// Определяю массив y
for (int c_key : c) {
if (c_key > 0) {
int y[] = // и вот что здесь писать я уже не знаю
}
}
}
Answer the question
In order to leave comments, you need to log in
#include <iostream>
#include <vector>
using namespace std;
int main()
{
int a[10] = { -7, 17, 69, 25, 88, 14, 84, 36, -4, 75 };
int b[10] = { 16, -30, 11, 39, 15, -36, 12, 6, -30, 5 };
int c[10] = { -19, 35, -6, 15, -9, 13, 8, 12, -33, 42 };
//Вариант, когда размер y равен 10:
int y[10] = {0, 0, 0, 0, 0, 0, 0, 0, 0, 0};
for (int i = 0; i < 10; i++)
{
if (c[i] > 0)
{
y[i] = a[i] - b[i];
}
}
for (int i = 0; i < 10; i++)
{
cout << y[i] << " ";
}
cout << endl;
//Вариант, когда размер y неизвестен:
vector<int> y2;
int counter = 0;
for (int i = 0; i < 10; i++)
{
if (c[i] > 0)
{
y2.push_back(a[i] - b[i]);
counter++;
}
}
for (int i = 0; i < counter; i++)
{
cout << y2[i] << " ";
}
}
Didn't find what you were looking for?
Ask your questionAsk a Question
731 491 924 answers to any question