我对这个我要在这里说明的节目感到困惑。 我写了两个简单的程序来打印字符串列表。首先,我创建了一个指向字符串的指针数组。这就是我尝试这样做的方式
#include <stdio.h>
int main()
{
int i = 2;
char *a[] = {"Hello", "World"};
while (--i >= 0) {
printf("%s\n", *a++); // error is here.
}
return 0;
}
我需要它来打印
Hello
World
但是有编译错误,它说,
lvalue required as increment operand.
然后我将程序更改为以下
#include <stdio.h>
void printout(char *a[], int n)
{
while (n-- > 0)
printf("%s\n", *a++);
}
int main()
{
int i = 2;
char *a[] = {"Hello", "World"};
printout(a,i);
return 0;
}
然后它按预期工作。
我的问题是,当我将数组名称传递给函数时会发生什么差异?为什么它第一次没有工作(我怀疑&#34;数组名称不能被修改&#34;原因但是为什么在第二个程序中,它允许我增加)?
答案 0 :(得分:6)
port number 8000
*a++
要求其操作数是可修改的左值。
在第一个示例中,++
是一个数组。在第二个示例中,当作为参数传递给函数时,数组衰减为指针(指向其第一个元素),因此代码将编译。