1

我在编译时收到以下错误。我知道这听起来不对,但是编译器试图传达的确切消息是什么:错误:'fun' 错误的类型冲突:以前的 fun 声明在这里:

 int main( )
 {
    extern int fun(float);
    int a;
    a=fun(3.14F);
    printf("%d\n",a);
    return 0;
}

int fun( aa )
float aa;
{
    return( (int) aa);
}
4

1 回答 1

4

K&R 风格的函数声明与现代风格的函数声明不太一样。特别是,默认参数提升发生,使您的float参数不太合法。您有两种选择来解决您的问题:

  1. 更改fun为接受double参数而不是float.

  2. 将 的定义更改为fun标准 C 风格的函数定义:

    int fun(float aa)
    {
        return aa;
    }
    

    我还删除了不必要的演员表和括号。

顺便说一句,如果您是初学者,您可能会发现clang很有帮助 - 它有时会提供更好的错误消息。对于您的程序,例如:

example.c:13:7: warning: promoted type 'double' of K&R function parameter is not
      compatible with the parameter type 'float' declared in a previous
      prototype [-Wknr-promoted-parameter]
float aa;
      ^
example.c:5:25: note: previous declaration is here
    extern int fun(float);
                        ^
于 2013-06-19T14:11:19.503 回答