c++ - Function to multiply 2 arrays -
i need make function multiplies 2 arrays , puts result in third array print using "print function". if input array11: 5, 10, 20; , array22: 1, 2; should result: result_array:5, 10, 10, 20, 20, 40. each element first array multiplied each element second array , stored in third array.
but don't expected result. instead random numbers. can me figure out doing wrong?
array11
,array22
first 2 arraysarray_result
resulting arraydim1
,dim2
dimensions of first 2 arraysdim3
dimension of third array calculated outside function this:dim3 = dim1 * dim2;
#include <iostream> using namespace std; void remplir(int array[], int dim); void aficher(int array[], int dim); void multiplier(int array11[], int array22[], int dim1, int dim2, int dim3); int main() { int dim1 = 0, dim2 = 0, dim3; cout << "la dimension de la 1ere table?" << endl; cin >> dim1; while (dim1 > 20) { cout << "la dimension maximum est 20! reessayez!" << endl; cin >> dim1; } int array1[dim1]; remplir(array1, dim1); aficher(array1, dim1); cout << "la dimension de la 2eme table?" << endl; cin >> dim2; while (dim2 > 20) { cout << "la dimension maximum est 20! reessayez!" << endl; cin >> dim2; } int array2[dim2]; remplir(array2, dim2); aficher(array2, dim2); cout<<"////////////////////////////////////////////////////////"<<endl; dim3 = dim1 * dim2; multiplier(array1, array2, dim1, dim2, dim3); cout << "dim3 = " << dim3 << endl; return 0; } void remplir(int array[], int dim) { int = 0; (i = 0; < dim; = + 1) { cout << "entrez la case numero " << << endl; cin >> array[i]; } } void aficher(int array[], int dim) { int = 0; (i = 0; < dim; = + 1) { cout << "indice " << << " = " << array[i] << endl; } } void multiplier(int array11[], int array22[], int dim1, int dim2, int dim3) { int i, j, k = 0; int resultat[dim3]; //resulting array (i = 0; <= dim1 - 1; = + 1) { (j = 0; j <= dim2 - 1; j = j + 1) { resultat[k++] = array11[i] * array22[j]; } } aficher(resultat, dim3); //function prints resulting array }
k
never gets incremented, keep storing value of multiplied arrays in first element of array_result
. try:
array_result[k++] = array11[i] * array22[j];
that use value of k
, increment afterwards. should consider default-initialising array_result
so:
int array_result[dim3] = {}; // initialise values 0
that mean wouldn't random numbers , you'd see numbers first 0.
Comments
Post a Comment