当我运行以下示例时,我得到输出0,2,1
class ZiggyTest2{
static int f1(int i) {
System.out.print(i + ",");
return 0;
}
public static void main(String[] args) {
int i = 0;
int j = 0;
j = i++; //After this statement j=0 i=1
j = j + f1(j); //After this statement j=0 i=1
i = i++ + f1(i); //i++ means i is now 2. The call f1(2) prints 2 but returns 0 so i=2 and j=0
System.out.println(i); //prints 2?
}
}
我不明白为什么输出是0,2,1而不是0,2,2
答案 0 :(得分:5)
如果我们扩展i = i++ + f1(i)
语句,我们会得到类似下面的内容
save the value of i in a temp variable, say temp1 // temp1 is 1
increment i by one (i++) // i gets the value 2
execute f1(i), save return value in, say temp2 // temp2 is 0, print 2
assign temp1 + temp2 to i // i becomes 1 again
我猜主要步骤可以如上所述进行总结。
答案 1 :(得分:3)
i = i++ + f1(i);
i++
表示i
现在为2
。来电f1(i)
打印2
,但返回0,因此i=2
和j=0
在此i = 1
之前,现在想象f1()
被调用并替换为0
所以
i = i++ + 0;
现在它将是
i = 1 + 0 // then it will increment i to 2 and then (1 +0) would be assigned back to `i`
简单的话(来自here @ Piotr)
" i = i ++"大致翻译为
int oldValue = i;
i = i + 1;
i = oldValue;
另一个这样的例子:
答案 2 :(得分:1)
从这个例子可以理解解决方案
public static void main(String[] args) {
int i = 0;
i = i++;
System.out.println("i is" + i);
}
/* The output is "i is 0" */
因此从这一行开始,
i = i++ + f1(i);
你的i仍然是1,显然该函数将返回0.它再次存储在i中,因此值为1.而不是i的更新值存储在i中,您将通过赋值运算符覆盖它
答案 3 :(得分:1)
预增量意味着:向变量添加一个并返回递增的值; 后增量 - 首先返回i,然后递增;
int i, j, k;
i = 0; // 0
j = i++; // return i , then increment i
// j = 0; i = 1;
k = ++i; // first increment and return i
//k = 2; i = 2;
// now
++j == --k == --i // would be true => 1==1==1;
// but , using post increment would
// j++ == k-- == i-- // false because => 0 == 2 == 2;
// but after that statement j will be 1, k = 1, i = 1;
答案 4 :(得分:1)
希望这种解释可能有所帮助:
j = i++; // Here since i is post incremented, so first i being 0 is assigned to j
// and after that assignment , i is incremented by 1 so i = 1 and j = 0.
i = i++ + f1(i); // here again since i is post incremented, it means, the initial value
// of i i.e. 1 as in step shown above is used first to solve the
// expression i = i(which is 1) + f1(1)**Since i is 1**
// after this step the value of i is incremented. so i now becomes 2
// which gets displayed in your last System.out.println(i) statement.
试试这个
i = ++i + f1(i); // here i will be first inremented and then that value will be used
// to solve the expression i = i + f1(i)'
因此,在后期增量期间,首先解决表达式,然后递增值。但是在预增量中,首先递增值,然后解析表达式。
但如果你只写
i++;
++i;
然后两者意味着同样的事情。
此致
答案 5 :(得分:1)
在Post增量运算符中,操作数将在使用后增加。 示例强>
int k =1;
int l = k++;
System.out.println("...k..."+k+"...l.."+l);
首先k(值= 1)被赋予l,之后k值将增加
同样的事情发生在以下一行
i = i++ + f1(i);
答案 6 :(得分:1)
要深入了解,您需要查看Expression及其评估顺序
关于等式 i ++ + f1(i)评估
的解释很少在Equation Compiler中得到“i”等于 1 并将其作为第一个操作数放在堆栈上,然后递增< / strong> “i”,因此其值为 2 ,并通过调用 0 的函数来计算第二个操作数操作(+)执行操作数将 1 且 0 。