我有一个字符串输入,我正在尝试将其转换为字符数组,然后以允许我在信用卡程序中使用它们的方式存储该数组中的数字。这就是我目前正在努力做到的。
我目前正在获取Null Pointer Exception:
charDigits[x - invalid] = charInput[x];
我需要能够从字符串输入中使用信用卡算法上的整数。
public class testFunction {
private char[] charInput;
private char[] charDigits;
private int[] intInput;
private int invalid = 0;
private String input = "125-6543-3356";
public testFunction()
{
charInput = input.toCharArray();
for(int x = 0; x < charInput.length; x++)
{
if (charInput[x] == '0' || charInput[x] == '1' || charInput[x] == '2' || charInput[x] == '3' || charInput[x] == '9' ||
charInput[x] == '4' || charInput[x] == '5' || charInput[x] == '6' || charInput[x] == '7' || charInput[x] == '8')
{
charDigits[x - invalid] = charInput[x];
}
else
{
invalid++;
}
System.out.println("charDigits: " + x + ": " + charDigits[x] );
}
for(int i = 0; i < charDigits.length; i++)
{
intInput[i] = Integer.parseInt(charDigits[i] + "");
}
}
public static void main(String[] args)
{
testFunction test = new testFunction();
}
}
答案 0 :(得分:0)
我没有看到你在任何地方初始化charDigits
。它的初始值为null
,因此像charDigits[i]
那样访问它会引发NPE(您应该能够根据NullPointerException
的文档轻松推断出这一点)。您需要首先将charDigits
初始化为任意大小的数组(看起来最大大小为charInput.length
):
charDigits = new char[charInput.length];
但是,要使其余的逻辑工作,您还需要跟踪charDigits
中实际有效的位数(因为它最终可能会短于charInput
)。你有很多选择:
valid++
,而在否定案例中考虑invalid++
,并按charDigits[valid]
代替[x - invalid]
进行索引。在循环结束时,valid
将包含复制到charDigits
的字符数,并且intInput
可以相应地初始化。charDigits
的元素将初始化为0
,因此在intInput
时停止复制到charDigits[i] == 0
。charDigits
使用动态数组(例如ArrayList<Character>
)并根据需要追加。StringBuilder
或其他内容代替charDigits
,并根据需要添加。