作者热门文章
- c - 在位数组中找到第一个零
- linux - Unix 显示有关匹配两种模式之一的文件的信息
- 正则表达式替换多个文件
- linux - 隐藏来自 xtrace 的命令
我看到一个问题被标记为骗子,但问题的一部分没有得到骗子的回答,我也没有找到合适的骗子来纠正它。所以这里。
我曾经看到过这样的声明:
int (*function)(int, float);
int f(int x, int y) {
return x+y;
}
int f(int, int) {
return /* What should I even write here? */ ;
}
f.c:1:7: error: parameter name omitted
int f(int, int)
^~~
f.c:1:7: error: parameter name omitted
int f(int, int)
^~~
最佳答案
可以用函数原型(prototype)最容易地解释它。函数原型(prototype)声明了一个函数,但没有定义它。
原型(prototype)的一个目的是它可以使用不同的编译单元。您将原型(prototype)放在头文件中,将定义放在源文件中。这使得编译目标文件成为可能。然后,当您包含头文件并与目标文件链接时,您不需要重新编译这些函数。
另一个原因是它允许一次性编译。编译器只需要读取一次源代码。在此处阅读更多信息:https://pediaa.com/what-is-the-difference-between-single-pass-and-multipass-compiler/
如果您出于某种原因希望两个函数相互调用,它们也很有用。考虑这个例子:
void fun1(void) {
fun2();
}
void fun2(void) {
fun1();
}
当然这将是一个无限循环,但关键是这不会编译。
fun2
会编译,但是当我们来到
fun1
我们不知道
fun2
存在。解决方案是使用函数原型(prototype)。
void fun2(void);
void fun1(void) {
fun2();
}
void fun2(void) {
fun1();
}
当您看到这是目的时,很明显函数原型(prototype)只是一个声明。它不做任何事情。声明
int f(float, char*);
只是说存在一个名为
f
的函数.它返回一个
int
, 它需要
float
和一个
char*
作为论据。因此,对于您的问题,由于它从不对参数做任何事情,因此不需要名称来引用它们。只有定义可以。这就是为什么你会得到编译器错误
error: parameter name omitted
您在问题中发布的内容:
void backwards(const char *inputString, char *outputString);
void backwards(const char *is, char *os) {
size_t l = strlen(is);
for(size_t n=0; n<l; n++)
os[l-n-1]=is[n];
os[l]='\0';
}
这样做的一个正当理由是头文件通常用作接口(interface),因此说标识符必须在此处更具描述性是有道理的。同样,我只是表明这是可能的,并没有说你应该或不应该这样做。
void f();
不声明不带参数的函数。它声明了一个带有未指定数量参数的函数。声明不带参数的函数的正确方法是
void f(void);
.当涉及到函数指针时,这可能很重要。看看我从另一个答案中复制的这个例子:
$ cat main.c
int foo() { return 0; }
int bar(int a) { return a; }
int main(void)
{
int (*f)();
f=foo;
f=bar;
int(*g)(void);
g=foo;
g=bar;
}
这会生成此警告:
$ gcc main.c
main.c: In function ‘main’:
main.c:11:3: warning: assignment to ‘int (*)(void)’ from incompatible pointer type ‘int (*)(int)’ [-Wincompatible-pointer-types]
g=bar;
^
对于常规函数原型(prototype),如果您愿意,可以完全跳过参数。这编译并运行得很好:
void foo();
int main() {
foo(5,6);
}
void foo(int x, int y) {
printf("The sum is: %d\n", x+y);
}
以上不适用于 C++,因为 C++ 不支持带有未指定参数的原型(prototype)。在 C++ 中,
void f();
与
void f(void);
完全相同.这就是为什么 C 不能支持函数重载而 C++ 可以的原因。
// Declaration of function pointer
int (*function)(int, float);
// Declaration of function
int foo(int, float);
// Definition of function
int foo(int x, float y) {
return x;
}
// Assign the function pointer
function = foo;
TL;博士
<return type> <name>();
它声明了一个带有未指定参数的函数,并且将适合任何具有正确名称和返回类型的函数定义,而与参数无关。 <return type> <name>(<type> [<name>], <type> [<name>] ... );
它声明了一个具有指定参数类型的函数。这些名称不是强制性的,可以与定义中的名称不同。声明没有参数的函数的正确方法是 <return type> <name>(void);
关于c - 参数如何有类型但没有名称?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/56961714/
我是一名优秀的程序员,十分优秀!