问题描述
我尝试将整数转换为数组.例如1234到int[] arr = {1,2,3,4};
.
I try to convert an integer to an array. For example, 1234 to int[] arr = {1,2,3,4};
.
我写了一个函数:
public static void convertInt2Array(int guess) {
String temp = Integer.toString(guess);
String temp2;
int temp3;
int [] newGuess = new int[temp.length()];
for(int i=0; i<=temp.length(); i++) {
if (i!=temp.length()) {
temp2 = temp.substring(i, i+1);
} else {
temp2 = temp.substring(i);
//System.out.println(i);
}
temp3 = Integer.parseInt(temp2);
newGuess[i] = temp3;
}
for(int i=0; i<=newGuess.length; i++) {
System.out.println(newGuess[i]);
}
}
但是抛出异常:
线程main"中的异常java.lang.NumberFormatException:对于输入字符串:";
在 java.lang.NumberFormatException.forInputString(NumberFormatException.java:65)
在 java.lang.Integer.parseInt(Integer.java:504)
在 java.lang.Integer.parseInt(Integer.java:527)
在 q4.test.convertInt2Array(test.java:28)
在 q4.test.main(test.java:14)
Java 结果:1
我该如何解决这个问题?
How can I fix this?
推荐答案
当前的问题是由于您使用了 <= temp.length()
而不是 <temp.length()
.但是,您可以更简单地实现这一点.即使使用字符串方式,也可以使用:
The immediate problem is due to you using <= temp.length()
instead of < temp.length()
. However, you can achieve this a lot more simply. Even if you use the string approach, you can use:
String temp = Integer.toString(guess);
int[] newGuess = new int[temp.length()];
for (int i = 0; i < temp.length(); i++)
{
newGuess[i] = temp.charAt(i) - '0';
}
您需要进行相同的更改才能使用 <newGuess.length()
也打印出内容时 - 否则对于长度为 4(具有有效索引 0、1、2、3)的数组,您将尝试使用 newGuess[4]代码>.我编写的绝大多数
for
循环在条件中使用 <
,而不是 <=
.
You need to make the same change to use < newGuess.length()
when printing out the content too - otherwise for an array of length 4 (which has valid indexes 0, 1, 2, 3) you'll try to use newGuess[4]
. The vast majority of for
loops I write use <
in the condition, rather than <=
.
这篇关于将整数转换为数字数组的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!