0

私のプログラムは、100 万でも入力した任意の数値を受け入れます >.< しかし、0 から 180 までの角度を入力するようにユーザーに要求し、その角度のサイン、コサイン、およびタンジェントを出力するようにしたかっただけです。

ここに私のプログラムがあります:

import java.util.Scanner;
import java.text.DecimalFormat;
public class Mathematics
{
  public static void main(String args[])
  {

    System.out.println("Enter an Angle ");
    Scanner data = new Scanner(System.in);
    int x;
    x=data.nextInt();

    double sinx = Math.sin( Math.toRadians(x) );
    double cosx = Math.cos( Math.toRadians(x) );
    double tanx = Math.tan( Math.toRadians(x) );

    DecimalFormat format = new DecimalFormat("0.##");
    System.out.println("Sine of a circle is  " + format.format(sinx));
    System.out.println("cosine of a circle is  " + format.format(cosx));
    System.out.println("tangent of a circle is  " + format.format(tanx));

  }
}
4

3 に答える 3

3

このコードを後に置くx=data.nextInt();

if( x < 0 || x > 180 )
{
    throw new Exception("You have entered an invalid value");
}

これにより、ユーザーが[0、180]の範囲外の数値を入力すると、プログラムがクラッシュします。ユーザーが再試行できるようにする場合は、次のようにプログラムをループに入れる必要があります。

do
{
    System.out.print("Enter a value in [0, 180]: ");
    x = data.nextInt();
} while(x < 0 || x > 180);

このループは、ユーザーが目的の値を入力するまで続きます。

于 2012-12-02T11:16:07.420 に答える
2

それ以外の

x = data.nextInt();

書きます

do {
    x = data.nextInt();
    if (x < 0 || x > 180) {
        System.out.println("Please enter number between 0-180");
    }
} while (x < 0 || x > 180);
于 2012-12-02T11:18:13.317 に答える
1

質問をループに入れます。ユーザーが範囲外の値を入力すると、エラー メッセージを出力し、別の値を要求します。入力した値が OK であれば、ループを終了できます。関数を使用して読みやすくすることをお勧めします。

public static int askForInt(String question, String error, int min, int max) {
    while (true) {
       System.out.print(question + " (an integer between " + min + " and " + max + "): ");
       int read = new Scanner(System.in).nextInt();
       if (read >= min && read <= max) {
          return read;
       } else {
          System.out.println(error + " " + in + " is not a valid input. Try again.");
       }
    }
}

次のように呼び出します。x = askForInt("The angle", "Invalid angle", 0, 180);

于 2012-12-02T11:21:29.697 に答える