我正在做一个项目,从int到String的所有转换都是这样完成的:
int i = 5;
String strI = "" + i;
我不熟悉Java。
这是惯例吗,还是像我猜想的那样,出了什么问题?
我正在做一个项目,从int到String的所有转换都是这样完成的:
int i = 5;
String strI = "" + i;
我不熟悉Java。
这是惯例吗,还是像我猜想的那样,出了什么问题?
当前回答
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.
其他回答
就我个人而言,我没有看到这段代码有什么不好的地方。
当您想记录一个int值,而记录器只接受一个字符串时,它非常有用。我想说,当你需要调用一个接受String的方法,但你有一个int值时,这样的转换是很方便的。
至于整数之间的选择。toString或String。这完全是个人品味的问题。 ...内部是字符串。valueOf调用Integer。顺便说一下toString方法。:)
这不仅仅是优化。我不喜欢
"" + i
因为它没有表达出我真正想做的事情。
我不想将一个整数附加到一个(空)字符串。我想把一个整数转换成字符串:
Integer.toString(i)
或者,不是我的首选,但仍然比串联更好,获得一个对象的字符串表示(整数):
String.valueOf(i)
1. 对于经常调用的代码,比如在循环中,优化当然也是不使用串联的一个原因。
2. 这对于在System.out中使用真正的连接是无效的。println("Index: " + i);or String id = " id " + i;
我知道的另一种方法来自Integer类:
Integer.toString(int n);
Integer.toString(int n, int radix);
一个具体的例子(尽管我认为你不需要):
String five = Integer.toString(5); // returns "5"
它也适用于其他基本类型,例如Double.toString。
请看这里了解更多细节。
使用Integer.toString (tmpInt) .trim ();
正如已经指出的,Integer.toString()或String.valueOf()是正确的方法。我很好奇,做了一个快速的基准测试:
Integer.toString(i)和String.valueOf(i)在性能上基本相同,Integer.toString(i)稍微快一点。但是i + ""要慢1.7倍。
import java.util.Random;
public class Test {
public static void main(String[] args) {
long concat = 0;
long valueOf = 0;
long toString = 0;
int iterations = 10000;
int runs = 1000;
for(int i = 0; i < runs; i++) {
concat += concat(iterations);
valueOf += valueOf(iterations);
toString += to_String(iterations);
}
System.out.println("concat: " + concat/runs);
System.out.println("valueOf: " + valueOf/runs);
System.out.println("toString: " + toString/runs);
}
public static long concat(int iterations) {
Random r = new Random(0);
long start = System.nanoTime();
for(int i = 0; i < iterations; i++) {
String s = r.nextInt() + "";
}
return System.nanoTime() - start;
}
public static long valueOf(int iterations) {
Random r = new Random(0);
long start = System.nanoTime();
for(int i = 0; i < iterations; i++) {
String s = String.valueOf(r.nextInt());
}
return System.nanoTime() - start;
}
public static long to_String(int iterations) {
Random r = new Random(0);
long start = System.nanoTime();
for(int i = 0; i < iterations; i++) {
String s = Integer.toString(r.nextInt());
}
return System.nanoTime() - start;
}
}
输出:
concat: 1004109
valueOf: 590978
toString: 587236