我正在做一个项目,从int到String的所有转换都是这样完成的:

int i = 5;
String strI = "" + i;

我不熟悉Java。

这是惯例吗,还是像我猜想的那样,出了什么问题?


当前回答

这不仅仅是优化。我不喜欢

"" + i

因为它没有表达出我真正想做的事情。

我不想将一个整数附加到一个(空)字符串。我想把一个整数转换成字符串:

Integer.toString(i)

或者,不是我的首选,但仍然比串联更好,获得一个对象的字符串表示(整数):

String.valueOf(i)

1. 对于经常调用的代码,比如在循环中,优化当然也是不使用串联的一个原因。

2. 这对于在System.out中使用真正的连接是无效的。println("Index: " + i);or String id = " id " + i;

其他回答

Mostly ditto on SimonJ. I really dislike the ""+i idiom. If you say String.valueOf(i), Java converts the integer to a string and returns the result. If you say ""+i, Java creates a StringBuilder object, appends an empty string to it, converts the integer to a string, appends this to the StringBuilder, then converts the StringBuilder to a String. That's a lot of extra steps. I suppose if you do it once in a big program, it's no big deal. But if you're doing this all the time, you're making the computer do a bunch of extra work and creating all these extra objects that then have to be cleaned up. I don't want to get fanatic about micro-optimization, but I don't want to be pointlessly wasteful either.

使用"" + i是将数字转换为字符串的最短和最简单的方法。它不是最有效的,但它是最清晰的,这通常是更重要的。代码越简单,出错的可能性就越小。

很多大学入门课程似乎都在教授这种风格,有两个原因(根据我的经验):

它不需要理解类或方法。通常,在提到“类”这个词之前就已经教过了——甚至方法调用也没有。所以使用String.valueOf(…)这样的东西会让学生感到困惑。 这是“操作符重载”的一个例子——事实上,这是作为惯用重载操作符卖给我们的(这没什么奇怪的,因为Java不允许自定义操作符重载)。

因此,它可能是出于教学的需要(尽管我认为这只是糟糕的教学),也可能是用来说明一个很难在Java中演示的原则。

这不是一个好方法。

当进行从int到string的转换时,应该使用这个:

int i = 5;
String strI = String.valueOf(i);

我知道的另一种方法来自Integer类:

Integer.toString(int n);
Integer.toString(int n, int radix);

一个具体的例子(尽管我认为你不需要):

String five = Integer.toString(5); // returns "5"

它也适用于其他基本类型,例如Double.toString。

请看这里了解更多细节。