如何在计算中使用增量?

How do I use increment in calculations?

{int num1 = 5;
 int num2 = 6;
 int num3;
 num3 = ++num2 * num1 / num2 + num2;
 System.out.println(num3);} //12 

编译器给出了 num3 = 12,但我如何获得该值?当我尝试获取 num3 值时,我得到了 6(通过不使用编译器)。 num2++ 和 ++num2 的值都相同,但是当我使用以下代码时,它会给出不同的值。为什么我有不同的价值观。获取这些 num3 值的步骤是什么(不使用编译器?)

num3 = num2++ * num1 / num2 + num2; //11

增量操作num++++num都会导致num=num+1,只是assignmentincrement操作的顺序不同。

num++(post-increment) -> first num is used and then incremented ++num(pre-increment) -> first num is incremented and then used

当我测试时,你的代码打印 12

public static void main(String[] args) {
        int num1 = 5;
        int num2 = 6;
        int num3;
        num3 = ++num2 * num1 / num2 + num2;
        System.out.println(num3);
    }

我建议您使用方括号,因为它也会增加可读性。

如果你这样做:

int num2 = 6;
System.out.println(num2++);

它将打印 6,然后将 num2 更改为 7。但是如果您这样做:

int num2 = 6;
System.out.println(++num2);

它将 num2 更改为 7,然后打印 7。因此:

num3 = ++num2 * num1 / num2 + num2;
num3 = 7 * 5/ 7 + 7
num3 = 35/7 + 7
num3 = 12