Java 代码片段 - 使用变量 Final - 需要解释

发布于 2024-09-10 20:11:22 字数 473 浏览 5 评论 0原文

final Integer a = 1;
Integer b = a;

System.out.println("a: " + a); // prints 1
System.out.println("b: " + b); // prints 1

b++;
System.out.println("a: " + a); // prints 1
System.out.println("b: " + b); // prints 2

b = b + 1;
System.out.println("a: " + a); // prints 1
System.out.println("b: " + b); // prints 3

b = 10;
System.out.println("a: " + a); // prints 1
System.out.println("b: " + b); // prints 10

如果有人能解释代码输出,特别是与变量 B 的关系,那就太好了。

final Integer a = 1;
Integer b = a;

System.out.println("a: " + a); // prints 1
System.out.println("b: " + b); // prints 1

b++;
System.out.println("a: " + a); // prints 1
System.out.println("b: " + b); // prints 2

b = b + 1;
System.out.println("a: " + a); // prints 1
System.out.println("b: " + b); // prints 3

b = 10;
System.out.println("a: " + a); // prints 1
System.out.println("b: " + b); // prints 10

It would be great if somebody could explain the code output, expecially with relation to variable B.

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。

评论(2

久伴你 2024-09-17 20:11:22

好的,让我们从这里开始:

final Integer a = 1;

您已经创建了一个对 Integer 对象的最终引用,该对象是从原始 int 中自动装箱的。

引用只能分配一次,并且不能再次分配。

Integer b = a;

在这里,您创建了对同一对象的第二个引用,但该引用不是最终的,因此您可以在闲暇时重新分配它。

b++;

这是以下语句的简写:

b = new Integer(b.intValue() + 1);

并且,巧合的是,

b = b + 1;

最后一个语句:

b = 10

正在使用自动装箱来简写此语句:

b = new Integer(10);

希望这会有所帮助。

Ok, let's start with this:

final Integer a = 1;

You've created a final reference to an Integer object, which was autoboxed from a primitive int.

This reference can be assigned exactly once, and never again.

Integer b = a;

here you've created a second reference to the same object, but this reference is not final, so you can reassign it at your leisure.

b++;

This is a shorthand for the following statement:

b = new Integer(b.intValue() + 1);

And, coincidentally, the same for

b = b + 1;

The last statement:

b = 10

Is using autoboxing to shorthand this statement:

b = new Integer(10);

Hope this helps.

戏蝶舞 2024-09-17 20:11:22

首先,你必须知道这里发生了自动装箱,您可以在此处阅读相关内容

现在只有 b++ 让我觉得不简单。它在功能上与此代码等效:

int bTemp = b.intValue();
bTemp++;
b = Integer.valueOf(bTemp);

尽管字节码可能略有不同。

First of all, you must know that auto-boxing is happening here, you can read about that here.

Now only the b++ strikes me as non-straightforward. It is functionally equivalent to this code:

int bTemp = b.intValue();
bTemp++;
b = Integer.valueOf(bTemp);

Though the bytecode may be slightly different.

~没有更多了~
我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
原文