我很难理解为什么以下循环在每次迭代时打印0。
for (int i = 0, j = 0; i < 10; i++)
{
Console.WriteLine(j += j++);
}
每次迭代后,j的值是否应该增加?如果没有,请你解释一下吗?
在从@Jon Skeet获得正反馈之后,我逐步完成了对语句的反汇编,并且能够解释代码在低级别的行为。我已将反汇编添加到我的评论中。
感谢!!!
54: Console.WriteLine(j += j++);
0000004f mov eax,dword ptr [ebp-40h] /* [ebp-40h] == 0 move to eax */
00000052 mov dword ptr [ebp-48h],eax /* eax == 0 move to [ebp-48h] */
00000055 mov eax,dword ptr [ebp-40h] /* [ebp-40h] move to eax == 0 */
00000058 mov dword ptr [ebp-4Ch],eax /* eax move to [ebp-4Ch] == 0 */
0000005b inc dword ptr [ebp-40h] /* increment [ebp-40h]== 1*/
0000005e mov eax,dword ptr [ebp-48h] /* [ebp-48h] move to eax == 0 */
00000061 add eax,dword ptr [ebp-4Ch] /* (eax == 0 + [ebp-4Ch]) eax == 0 */
00000064 mov dword ptr [ebp-40h],eax /* eax == 0 move to [ebp-40h] */
00000067 mov ecx,dword ptr [ebp-40h] /* [ebp-40h] move to ecx == 0 */
0000006a call 71DF1E00 /* System.Console.WriteLine */
0000006f nop
55: }
答案 0 :(得分:14)
每次迭代后j的值是否应该增加?
不。你的循环体有点等同于:
int tmp1 = j; // Evaluate LHS of +=
int tmp2 = j; // Result of j++ is the value *before* the increment
j++;
j = tmp1 + tmp2; // This is j += j++, basically
Console.WriteLine(j);
所以基本上,你在每次迭代时加倍j
......但是j
从0开始,所以它保持为0.如果你想只增加j
在每次迭代中,只需使用j++
...但理想情况下将其作为一个语句单独执行,而不是将其用作更大语句中的表达式。