欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

C语言中的++i和i++

程序员文章站 2022-07-14 07:57:11
...

When the ++ operator appears before a variable, it is
called a prefix increment operator; when it appears
after a variable, it is called postfix increment operator

– k = ++n; is equivalent to
• n = n + 1; // increment n first
• k = n; // assign n’s value to k
– k = n++; is equivalent to
• k = n; // assign n’s value to k
• n = n + 1; // and then increment n
– count1 = 1+ ++count;(不建议如是写)
– count1 = 1+count++;(不建议如是写)

也就是说

int k = i++,先返回i的旧值,再把i加一
int k = ++i,先修改i,再返回i的新值。

我们来看一个例子

#include <stdio.h>
int main()
{
    int a=0;
    printf("%d\n",a);
    printf("%d\n",a++);
    printf("%d\n",++a);

    printf("%d\n",a--);
    printf("%d\n",--a);

    return 0;
}

PS E:\vscode-py\build> cd "e:\vscode-py\build\" ; if ($?) { gcc c.c -o c } ; if ($?) { .\c }
0
0
2
2
0

a的初值是0

第一步我们做了a++,先返回a的旧值,所以第二个数输出仍然是0,之后再把a+1,此时i已经变成了1

第二步我们做了++a,是先把a加1,之后再返回a的新值,所以这次输出的数是2.

第三步我们做的是a- -,先返回a的旧值,所以第四个数输出仍然是2,之后再把a-1,此时a已经变成了1

第四步我们做了–a,是先把a减1,之后再返回a的新值,所以这次输出的数是0.

相关标签: c语言 c++