90

在运行我的代码时,我得到一个NumberFormatException

java.lang.NumberFormatException: For input string: "N/A"
    at java.lang.NumberFormatException.forInputString(Unknown Source)
    at java.lang.Integer.parseInt(Unknown Source)
    at java.lang.Integer.valueOf(Unknown Source)
    at java.util.TreeMap.compare(Unknown Source)
    at java.util.TreeMap.put(Unknown Source)
    at java.util.TreeSet.add(Unknown Source)`

如何防止发生此异常?

4

5 回答 5

108

"N/A"不是整数。NumberFormatException如果您尝试将其解析为整数,它必须抛出。

解析前检查或Exception正确处理。

  1. 异常处理

    try{
        int i = Integer.parseInt(input);
    } catch(NumberFormatException ex){ // handle your exception
        ...
    }
    

或 -整数模式匹配-

String input=...;
String pattern ="-?\\d+";
if(input.matches("-?\\d+")){ // any positive or negetive integer or not!
 ...
}
于 2013-09-10T06:19:46.870 回答
8

NumberFormatException如果字符串不包含可解析整数,则Integer.parseInt(str)抛出。你可以和下面一样。

int a;
String str = "N/A";

try {   
   a = Integer.parseInt(str);
} catch (NumberFormatException nfe) {
  // Handle the condition when str is not a number.
}
于 2013-09-10T06:23:38.223 回答
8

像这样制作一个异常处理程序,

private int ConvertIntoNumeric(String xVal)
{
 try
  { 
     return Integer.parseInt(xVal);
  }
 catch(Exception ex) 
  {
     return 0; 
  }
}

.
.
.
.

int xTest = ConvertIntoNumeric("N/A");  //Will return 0
于 2013-09-10T06:25:18.057 回答
6

显然,您无法解析N/Aint值。您可以执行以下操作来处理该问题NumberFormatException

   String str="N/A";
   try {
        int val=Integer.parseInt(str);
   }catch (NumberFormatException e){
       System.out.println("not a number"); 
   } 
于 2013-09-10T06:22:17.127 回答
4

“N/A”是一个字符串,不能转换为数字。捕获异常并处理它。例如:

    String text = "N/A";
    int intVal = 0;
    try {
        intVal = Integer.parseInt(text);
    } catch (NumberFormatException e) {
        //Log it if needed
        intVal = //default fallback value;
    }
于 2013-09-10T06:21:53.797 回答