0
package code;

public class Solution3 {

    public static int sumOfDigit(String s) {
        int total = 0;
        for(int i = 0; i < s.length(); i++) {
            total = total + Integer.parseInt(s.substring(i,i+1));
        }
        return total;
    }

    public static void main(String[] args) {
         System.out.println(sumOfDigit("11hhkh01"));
    }
}

如何编辑我的代码以让它忽略任何字符但仍然总结输入中的数字?错误是Exception in thread "main" java.lang.NumberFormatException: For input string: "h"

4

1 回答 1

0

因为下面这行代码会抛出 NumberFormatException:

Integer.parseInt("h");

Integer.parseInt不知道如何解析字母“h”中的数字。

要忽略任何不是数字的字符:

for(int i=0; i<s.length(); i++){
    try {
        total = total + Integer.parseInt(s.substring(i,i+1));
    catch(NumberFormatException nfe) {
        // do nothing with this character because it is not a number
    }
}
于 2015-02-16T02:55:17.757 回答