当 for 循环中有逗号而不是分号时没有编译器警告
No compiler warning when there's a comma instead of a semicolon in a for loop
为什么 gcc 不给出关于这段代码的任何警告?
#include <stdio.h>
void printDigits(int *arr, int arrsize);
int main() {
int number[] = { 1, 7, 8, 3, 6, 5, 4, 2 };
size_t arraysize = (sizeof(number) / sizeof(number[0]));
printDigits(number, arraysize);
return 0;
}
void printDigits(int *arr, int arrsize) {
int i;
for (i=0; i<arrsize, i++;) {
printf("%d ", arr[i]);
}
}
特别是关于 printDigits 函数中的 for 循环。它的:
for(i=0; i<arrsize, i++;)
虽然它确实应该是 for(i=0; i<arrsize; i++)
Gcc 没有给我任何警告,我花了一段时间才弄明白为什么数组没有打印出来。
这个for循环
for(i=0; i<arrsize, i++;){
printf("%d ", arr[i]);
}
是一个有效的 C 结构。在循环条件中使用了逗号运算符
i<arrsize, i++
其值为第二个操作数的值。所以循环体将不会被执行,因为表达式 i++
的值为 0(即变量 i
在其递增之前的值)。
来自 C 标准(6.5.17 逗号运算符)
2 The left operand of a comma operator is evaluated as a void
expression; there is a sequence point between its evaluation and that
of the right operand. Then the right operand is evaluated; the result
has its type and value
注意for循环中的任何表达式都可以省略。例如你甚至可以写成
for ( ; ; )
{
//...
}
此外,您至少应该将第二个函数参数的类型从 int
更改为 size_t
,因为您传递的是 size_t
.
类型的参数
函数应该这样声明
void printDigits( const int *arr, size_t arrsize );
有警告。 i<arrsize
被计算但随后被丢弃,因此 gcc 警告:
warning: left-hand operand of comma expression has no effect [-Wunused-value]
(由 -Wall
启用)
它是一个有效的 C。这个 for 循环将执行直到 i
不为零
为什么 gcc 不给出关于这段代码的任何警告?
#include <stdio.h>
void printDigits(int *arr, int arrsize);
int main() {
int number[] = { 1, 7, 8, 3, 6, 5, 4, 2 };
size_t arraysize = (sizeof(number) / sizeof(number[0]));
printDigits(number, arraysize);
return 0;
}
void printDigits(int *arr, int arrsize) {
int i;
for (i=0; i<arrsize, i++;) {
printf("%d ", arr[i]);
}
}
特别是关于 printDigits 函数中的 for 循环。它的:
for(i=0; i<arrsize, i++;)
虽然它确实应该是 for(i=0; i<arrsize; i++)
Gcc 没有给我任何警告,我花了一段时间才弄明白为什么数组没有打印出来。
这个for循环
for(i=0; i<arrsize, i++;){
printf("%d ", arr[i]);
}
是一个有效的 C 结构。在循环条件中使用了逗号运算符
i<arrsize, i++
其值为第二个操作数的值。所以循环体将不会被执行,因为表达式 i++
的值为 0(即变量 i
在其递增之前的值)。
来自 C 标准(6.5.17 逗号运算符)
2 The left operand of a comma operator is evaluated as a void expression; there is a sequence point between its evaluation and that of the right operand. Then the right operand is evaluated; the result has its type and value
注意for循环中的任何表达式都可以省略。例如你甚至可以写成
for ( ; ; )
{
//...
}
此外,您至少应该将第二个函数参数的类型从 int
更改为 size_t
,因为您传递的是 size_t
.
函数应该这样声明
void printDigits( const int *arr, size_t arrsize );
有警告。 i<arrsize
被计算但随后被丢弃,因此 gcc 警告:
warning: left-hand operand of comma expression has no effect [-Wunused-value]
(由 -Wall
启用)
它是一个有效的 C。这个 for 循环将执行直到 i
不为零