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

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

我不熟悉Java。

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


当前回答

就我个人而言,我没有看到这段代码有什么不好的地方。

当您想记录一个int值,而记录器只接受一个字符串时,它非常有用。我想说,当你需要调用一个接受String的方法,但你有一个int值时,这样的转换是很方便的。

至于整数之间的选择。toString或String。这完全是个人品味的问题。 ...内部是字符串。valueOf调用Integer。顺便说一下toString方法。:)

其他回答

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.

这是可以接受的,但我从来没有写过这样的东西。我更喜欢这样:

String strI = Integer.toString(i);

使用Integer.toString (tmpInt) .trim ();

表达式

"" + i

导致I在运行时的字符串转换。表达式的整体类型是String。i首先转换为一个Integer对象(new Integer(i)),然后是String。valueOf(Object obj)被调用。所以它等于

"" + String.valueOf(new Integer(i));

显然,这比直接调用String的性能稍差。valueOf(new Integer(i)),这将产生完全相同的结果。

“”+i的优点是打字更容易/更快,有些人可能会认为,它更容易阅读。这不是一种代码气味,因为它并不表明有任何更深层次的问题。

(参考:JLS 15.8.1)

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

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

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

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

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

请看这里了解更多细节。