我的编译器(GCC)给我警告:
警告:函数的隐式声明
它为什么会来?
我的编译器(GCC)给我警告:
警告:函数的隐式声明
它为什么会来?
当前回答
我认为这个问题并没有百分之百的答案。我正在寻找缺少typeof()的问题,这是编译时指令。
以下链接将有助于了解情况:
https://gcc.gnu.org/onlinedocs/gcc-5.3.0/gcc/Typeof.html
https://gcc.gnu.org/onlinedocs/gcc-5.3.0/gcc/Alternate-Keywords.html#Alternate-Keywords
作为结论,尝试使用__typeof__()代替。还有gcc…-Dtypeof = __typeof__……能帮上忙。
其他回答
发生此错误是因为您正在尝试使用编译器无法理解的函数。如果要使用的函数是用C语言预定义的,只需包含与隐式函数关联的头文件。 如果它不是一个预定义的函数,那么在主函数之前声明它总是一个很好的做法。
正确的方法是在头文件中声明函数原型。
例子
main.h
#ifndef MAIN_H
#define MAIN_H
int some_main(const char *name);
#endif
c
#include "main.h"
int main()
{
some_main("Hello, World\n");
}
int some_main(const char *name)
{
printf("%s", name);
}
用一个文件替代(main.c)
static int some_main(const char *name);
int some_main(const char *name)
{
// do something
}
你需要在主函数之前声明你想要的函数:
#include <stdio.h>
int yourfunc(void);
int main(void) {
yourfunc();
}
你正在使用一个编译器还没有看到声明(“原型”)的函数。
例如:
int main()
{
fun(2, "21"); /* The compiler has not seen the declaration. */
return 0;
}
int fun(int x, char *p)
{
/* ... */
}
你需要在main之前声明你的函数,像这样,直接或在头文件中声明:
int fun(int x, char *p);
GNU C编译器告诉您,它可以在程序作用域中找到特定的函数名。尝试在头文件中将其定义为私有原型函数,然后将其导入到主文件中。