将带字母的字符串数组转换为java中的int数组

时间:2012-12-05 07:19:29

标签: java arrays string integer int

好的我将尝试解释我的问题,我需要做的是将字符串数组转换为int数组。

这是我的一部分(初始设置)

   System.out.println("Please enter a 4 digit number to be converted to decimal ");
    basenumber = input.next();

    temp = basenumber.split("");
    for(int i = 0; i < temp.length; i++)
        System.out.println(temp[i]);

    //int[] numValue = new int[temp.length];
    ArrayList<Integer>numValue = new ArrayList<Integer>();

    for(int i = 0; i < temp.length; i++)
        if (temp[i].equals('0')) 
            numValue.add(0);
        else if (temp[i].equals('1')) 
            numValue.add(1);
                     ........
        else if (temp[i].equals('a') || temp[i].equals('A'))
            numValue.add(10);
                     .........
             for(int i = 0; i < numValue.size(); i++)
        System.out.print(numValue.get(i));

基本上我要做的是将0-9设置为实际数字,然后从输入字符串(例如Z3A7)开始将a-z设置为10-35,理想情况下将打印为35 3 10 7

3 个答案:

答案 0 :(得分:5)

在你的循环中试试这个:

Integer.parseInt(letter, 36);

这会将letter解释为base36号码(0-9 + 26个字母)。

Integer.parseInt("2", 36); // 2
Integer.parseInt("B", 36); // 11
Integer.parseInt("z", 36); // 35

答案 1 :(得分:2)

您可以在循环中使用此单行(假设用户未输入空字符串):

int x = Character.isDigit(temp[i].charAt(0)) ?
        Integer.parseInt(temp[i]) : ((int) temp[i].toLowerCase().charAt(0)-87) ;

numValue.add( x );

上述代码说明:

  • temp[i].toLowerCase() =&gt; z和Z将转换为相同的值。
  • (int) temp[i].toLowerCase().charAt(0) =&gt; ASCII 字符代码。
  • -87 =&gt;根据您的规范提取87。

答案 2 :(得分:1)

考虑到你想把Z表示为35,我写了以下函数

更新:

Z的ASCII值为90,所以如果你想将Z表示为35,那么你应该将55中的每个字符减去(90-35 = 55):

public static int[] convertStringArraytoIntArray(String[] sarray) throws Exception {
    if (sarray != null) {
        int intarray[] = new int[sarray.length];
        for (int i = 0; i < sarray.length; i++) {
            if (sarray[i].matches("[a-zA-Z]")) {
                intarray[i] = (int) sarray[i].toUpperCase().charAt(0) - 55;
            } else {
                intarray[i] = Integer.parseInt(sarray[i]);
            }
        }
        return intarray;
    }
    return null;
}