Java求和一个整数

时间:2018-11-11 16:38:33

标签: java arrays

我想从用户那里读取一个数字,然后将所输入数字的最后七位数字相加。做这个的最好方式是什么?这是我的代码,但不幸的是它不起作用:

class ersteAufgabe {
  public static void main (String[] args)
  {
              Scanner s = new Scanner(System.in);
              double [] a = new double[10];
              for (int i = 0;i<10;i++)
              {
                  a[i]=s.nextInt();

                 }
              s.close();
              System.out.println(a[0]);
  }
}

我只希望读取一个数字并将其用作数组。直到现在,他希望我能提供10条信息。

2 个答案:

答案 0 :(得分:0)

首先,您必须识别输入的值是否是数字并且至少包含7位数字。除非您必须输出错误消息。将输入的值转换为String并使用Character.isDigit()类;检查字符是否为数字。然后,您可以使用String类中的某些方法,例如substring(..)。最后,使用错误/有效值进行单元测试,以查看您的代码是否健壮。完成操作后,请最终使用{br.close()}关闭BufferedReader和资源。在方法中推送代码,并使用实例类erste-Aufgabe(第一次练习)。当您真正完成后,请对GUI应用程序使用JFrame。

private static final int SUM_LAST_DIGITS = 7;

public void minimalSolution() {
    String enteredValue = "";
    showInfoMessage("Please enter your number with at least " + SUM_LAST_DIGITS + " digits!");
    try (Scanner scan = new Scanner(System.in)) {
        enteredValue = scan.next();
        if (enteredValue.matches("^[0-9]{" + SUM_LAST_DIGITS + ",}$")) {
            showInfoMessage(enteredValue, lastDigitsSum(enteredValue));
        } else {
            showErrorMessage(enteredValue);
        }
    } catch(Exception e) {
        showErrorMessage(e.toString());
    }
}

public int lastDigitsSum(String value) {
    int count = 0;
    for (int i = value.length() - 1, j = 0; i >= 0 && j < SUM_LAST_DIGITS; i--, j++)
        count += value.charAt(i) - '0';
    return count;
}

public void showInfoMessage(String parMessage) {
    System.out.println(parMessage);
}

public void showInfoMessage(String parValue, int parSum) {
    System.out.println("Your entered value: [" + parValue + "]");
    System.out.println("The summed value of the last 7 digits are: [" + parSum + "]");
}

public void showErrorMessage(String parValue) {
    System.err.println("Your entered value: [" + parValue + "] is not a valid number!");
}

答案 1 :(得分:0)

public static int lastDigitsSum(int total) {
    try (Scanner scan = new Scanner(System.in)) {
        String str = scan.next();
        int count = 0;

        for (int i = str.length() - 1, j = 0; i >= 0 && j < total; i--, j++) {
            if (Character.isDigit(str.charAt(i)))
                count += str.charAt(i) - '0';
            else
                throw new RuntimeException("Input is not a number: " + str);
        }

        return count;
    }
}