将任何基数的数字转换为 Java 中的十进制

Converting a number in any base to decimal in Java

我正在尝试使用此方法将任何基数的数字转换为十进制数。

public static int convertToDecimal(String str, int base){

        int v = 0;
        int total = 0;
        int pow = 0;
        str = str.toUpperCase();
        for(int i = str.length(); i > -1; i--){
            char c = str.charAt(i);
            if (c >= '0' && c <= '9') {
                v = c - '0';
            }else if (c >= 'A' && c <= 'Z'){
                v = 10 + (c - 'A');
            }
            total += v * Math.pow(base,pow);
            pow++;
        }
        return total;
    }

但我最终得到数组越界异常。我在这里做错了什么?

正如@HovercraftFullOfEels 已经指出的那样。字符串是从零开始的。您从 i=str.length() 开始,它抛出 ArrayIndexOutOfBoundsException 因为最大可能的索引是 i=str.length()-1.

public static int convertToDecimal(String str, int base) {
    int v = 0;
    int total = 0;
    int pow = 0;
    str = str.toUpperCase();
    for (int i = str.length() - 1; i >= 0; i--) {
        char c = str.charAt(i);
        if (c >= '0' && c <= '9')
            v = c - '0';
        else if (c >= 'A' && c <= 'Z')
            v = 10 + (c - 'A');
        total += v * Math.pow(base, pow);
        pow++;
    }
    return total;
}