我有一个小C程序,它采用了许多向量及其相应的系数。利用该信息,它计算矢量的长度(模数)。接下来,程序按照长度对矢量进行排序,然后按正确的顺序显示所有向量。
一切似乎都很好。但是,当我使用-wall和-ansi参数编译代码时,我收到以下警告:
|23|warning: ISO C90 forbids variable-size array 'v'
|23|warning: ISO C90 forbids mixed declarations and code
|44|warning: passing argument 1 of 'swap' from incompatible pointer type
|44|warning: passing argument 2 of 'swap' from incompatible pointer type
我使用的代码:
#include <stdio.h>
#include <stdlib.h>
#include <math.h>
void swap(double **p, double **q)
{
double *tmp;
tmp = *p;
*p = *q;
*q = tmp;
}
int main()
{
int dim, num;
int i, j;
double **w;
scanf("%d %d", &dim, &num);
w = calloc(num, sizeof(double *));
double v[num];
/* Get vector coefficients for each vector and calculate the length of each vector */
for(i = 0; i < num; i++)
{
w[i] = calloc(dim, sizeof(double));
for(j = 0; j < dim; j++)
{
scanf("%le", &w[i][j]);
v[i] += pow(w[i][j], 2);
}
}
/* Sort vectors by length */
for(i = 0; i < num-1; ++i)
{
for(j = num-1; j > i; --j)
if(v[j-1] > v[j])
{
swap(&w[j-1], &w[j]);
swap(&v[j-1], &v[j]);
}
}
/* Display vectors, including their coefficients, ordered by length */
for(i = 0; i < num; i++)
{
for(j = 0; j < dim; j++)
{
printf("%e", w[i][j]);
if(j != dim)
printf(" ");
}
printf("\n");
}
return 0;
}
有关如何修复这些警告的任何想法?
提前致谢。
答案 0 :(得分:1)
尝试:
double *v;
v=(double *)malloc(num * sizeof(double));
而不是
double v[num];
答案 1 :(得分:1)
您正尝试使用相同的功能交换两种不同的类型,
swap(&w[j-1], &w[j]);
swap(&v[j-1], &v[j]);
其中&w[j]
是double**
,&v[i]
是double*
。这不起作用,因为C没有超载。你甚至不能使用void*
参数,因为你需要在两者之间存储指向的值。
你需要两个独立的功能,或者一个宏(但是失去了类型安全性)。
至于混合声明和代码以及可变长度数组,请使用-std=c99
代替-ansi
。