很抱歉打开一个新问题,但我在论坛或Google周围找不到这样的问题。
无论如何,我的问题是这样的: 在Main内部,我声明了一个数组“ insieme_A”和一个包含数组“ nums_element_A”长度的变量
int main()
{
double *insieme_A;
int nums_element_A;
nums_element_A = get_array(insieme_A);
然后,打印数组:
int counter;
printf("\nL'array è costituito dai seguenti elementi: \n");
for (counter = 0; counter < nums_element_A; ++counter)
printf("%lf \n", insieme_A[counter]);`
然后我有一个函数,由库导出。在这个函数中,我问用户“数组必须有多少个元素?
然后创建动态数组array = (double *)calloc(nums_elements, sizeof (double));
并在for循环内填充元素。
我的问题是函数结束时,主要是我尝试打印数组。它打印用户插入的元素数..但全为零。
如果用户需要5个元素的数组,则会打印{0,0,0,0,0}
相反,如果我在函数内部打印数组,则它可以正常工作。 所以我想知道..可以这样做吗,还是应该在文件中写入数组..结束函数并在main内部打开文件并从那里读取数组?
非常感谢
int get_array(double array[])
{
double element;
int nums_elements,
counter;
do
{
printf("Quanti elementi deve contenere l'insieme? ");
scanf("%d", &nums_elements);
}
while (nums_elements <= 0);
array = (double *)calloc(nums_elements, sizeof (double));
for (counter = 0;
counter < nums_elements;
++counter)
{
printf("Inserire valore %d-->", counter+1);
scanf("%lf",
&element);
array[counter] = element;
}
for(counter=0;counter<nums_elements;++counter){
printf("%lf",array[counter]);
}
return (nums_elements);
}
答案 0 :(得分:3)
这是因为在您的代码中,get_array
函数的参数被传递了值。
要更正它,请将其用作 int get_array(double **array)
并相应地更改代码。以下是代码段。 See complete working code here:
int get_array(double **array)
{
int nums_elements, counter;
do
{
printf("Quanti elementi deve contenere l'insieme? ");
scanf("%d", &nums_elements);
} while (nums_elements <= 0);
*array = (double *)calloc(nums_elements, sizeof (double));
for (counter = 0; counter < nums_elements; ++counter)
{
printf("Inserire valore %d-->", counter+1);
scanf("%lf", &((*array)[counter]));
}
return (nums_elements);
}
要致电,请执行以下操作:
int count;
double *insieme_A;
count = get_array(&insieme_A);