问候,
我正在尝试验证我的整数是否为空。如果是,我需要提示用户输入值。我的背景是Perl,所以我的第一次尝试看起来像这样:
int startIn = Integer.parseInt (startField.getText());
if (startIn) {
JOptionPane.showMessageDialog(null,
"You must enter a number between 0-16.","Input Error",
JOptionPane.ERROR_MESSAGE);
}
这不起作用,因为Java期望布尔逻辑。
在Perl中,我可以使用“exists”来检查散列/数组元素是否包含以下数据:
@items = ("one", "two", "three");
#@items = ();
if (exists($items[0])) {
print "Something in \@items.\n";
}
else {
print "Nothing in \@items!\n";
}
在Java中有这种方法吗?谢谢你的帮助!
耶
P.S。 Perl exists信息。
答案 0 :(得分:41)
parseInt()
将抛出异常。您可以改为使用相应的对象类型Integers
,这样可以使事情变得更加清晰。所以你可能想要更接近的东西:
Integer s = null;
try {
s = Integer.valueOf(startField.getText());
}
catch (NumberFormatException e) {
// ...
}
if (s != null) { ... }
如果您决定使用parseInt()
,请 小心! parseInt()
不支持良好的国际化,所以你必须跳过更多的箍:
try {
NumberFormat nf = NumberFormat.getIntegerInstance(locale);
nf.setParseIntegerOnly(true);
nf.setMaximumIntegerDigits(9); // Or whatever you'd like to max out at.
// Start parsing from the beginning.
ParsePosition p = new ParsePosition(0);
int val = format.parse(str, p).intValue();
if (p.getIndex() != str.length()) {
// There's some stuff after all the digits are done being processed.
}
// Work with the processed value here.
} catch (java.text.ParseFormatException exc) {
// Something blew up in the parsing.
}
答案 1 :(得分:8)
试试这个:
Integer startIn = null;
try {
startIn = Integer.valueOf(startField.getText());
} catch (NumberFormatException e) {
.
.
.
}
if (startIn == null) {
// Prompt for value...
}
答案 2 :(得分:3)
int
是值类型;他们永远不会null
。相反,如果解析失败,parseInt
将抛出您需要捕获的NumberFormatException
。
答案 3 :(得分:2)
无论如何,Perl中的 SCALAR 都没有exists
。 Perl方式是
defined( $x )
和等效的Java是
anInteger != null
那些是等同物。
exists $hash{key}
就像Java
map.containsKey( "key" )
从你的例子中,我认为你正在寻找
if(startIn!= null){...
答案 4 :(得分:2)
对我来说,只使用Integer.toString()方法对我很有用。如果它只是想要非常,那么你可以转换它。示例如下:
private void setCarColor(int redIn, int blueIn, int greenIn)
{
//Integer s = null;
if (Integer.toString(redIn) == null || Integer.toString(blueIn) == null || Integer.toString(greenIn) == null )
答案 5 :(得分:0)
我认为你不能在Perl中的整数上使用“exists”,只能在集合上使用。你能举例说明你在Perl中的意思与Java中的例子相符吗。
给定一个指定哈希元素或数组元素的表达式,如果哈希值或数组中的指定元素已被初始化,则返回true,即使相应的值未定义。
这表明它只适用于散列或数组元素!
答案 6 :(得分:0)
这应该有所帮助。
Integer startIn = null;
// (optional below but a good practice, to prevent errors.)
boolean dontContinue = false;
try {
Integer.parseInt (startField.getText());
} catch (NumberFormatException e){
e.printStackTrace();
}
// in java = assigns a boolean in if statements oddly.
// Thus double equal must be used. So if startIn is null, display the message
if (startIn == null) {
JOptionPane.showMessageDialog(null,
"You must enter a number between 0-16.","Input Error",
JOptionPane.ERROR_MESSAGE);
}
// (again optional)
if (dontContinue == true) {
//Do-some-error-fix
}