C 中的逗号和赋值运算符



>我有以下内容:

int a = 1, b = 2, c = 3, d = 4;
a = b, c = d;
printf("%d, %d, %d, %d", a, b, c, d);

输出为:

2, 2, 4, 4

逗号运算符如何使用赋值运算符?据我所知,如果我们有,

(exp1, exp2)

那么,为什么要评估a = b呢?

计算第一个操作数并丢弃结果。然后计算第二个操作数,并将结果作为表达式的总体结果返回。

该标准说:

逗号运算符的左操作数被计算为 void 表达;在其评估和 正确的操作数。然后计算正确的操作数;结果 有其类型和价值。

号运算符的优先级低于赋值。计算逗号运算符中的所有表达式,但仅使用最后一个表达式作为结果值。因此,这两个作业都已执行。在您的情况下,逗号运算符的结果将是 c = d 的结果。不使用此结果。

号运算符计算其两个操作数(左边的在前),并返回右边的操作数的值。这不是特定于作为赋值的操作数。

它的工作方式与将它们编写为单个语句的方式相同:

int a = 1;
int b = 2;
int c = 3;
int d = 4;
a = b;
c = d;

有关更多详细信息,另请参阅逗号运算符

来自维基百科:

int a=1, b=2, c=3, i;   // comma acts as separator in this line, not as an operator
i = (a, b);             // stores b into i                                                              ... a=1, b=2, c=3, i=2
i = a, b;               // stores a into i. Equivalent to (i = a), b;                                   ... a=1, b=2, c=3, i=1
i = (a += 2, a + b);    // increases a by 2, then stores a+b = 3+2 into i                               ... a=3, b=2, c=3, i=5
i = a += 2, a + b;      // increases a by 2, then stores a into i. Equivalent to  (i = a += 2), a + b;  ... a=3, b=2, c=3, i=3
i = a, b, c;            // stores a into i                                                              ... a=5, b=2, c=3, i=5
i = (a, b, c);          // stores c into i  

From what I have known it would evaluate and return the second expression

这不是一个完全正确的说法。是的,第二个被评估并返回,但你暗示第一个被忽略了。

逗号运算符的工作方式是计算所有表达式并返回最后一个表达式。例如:

int a, b, c, d = 0;
if(a = 1, b = 2, c = 3, d == 1)
    printf("No it isn't!n")
else
    printf("a: %d, b: %d, c: %d, d: %dn", a, b, c, d);

为您提供:

a = 1, b = 2, c = 3, d = 0

因为所有表达式都经过计算,但只返回了 d==1 来做出条件的决定。

。此运算符的更好用途可能是在for循环中:

for(int i = 0; i < x; counter--, i++) // we can keep track of two different counters
                                      // this way going in different directions.

此代码等效于以下内容:

int a = 1;
int b = 2;
int c = 3;
int d = 4;
a = b;
c = d;

逗号左侧的第一个表达式被计算,然后是其右侧的表达式。最右边表达式的结果存储在 = 符号左侧的变量中。

相关内容

  • 没有找到相关文章