1

Java でのデカルト勾配の計算に問題があります。したがって、私のソースコードでは、デカルト座標系の 2 点の 2 つの座標を表す 4 つの数値 x1 y1 x2 y2 を入力できます。

次に、deltaX と deltaY を計算して勾配を計算します。(deltaY / deltaX)そのため、10 分の 1 の数値を取得する場合に備えて、勾配の終了計算に double を使用します。

次に、IF 関数を使用して次のように言いますif slope = 0 --> println("not a linear line")。そうでなければ、X極とY極のクロスポイントを計算し、結果を印刷します

ここに問題があります: 勾配が 0 の場合 (例 x1:0 y1:1 x2:0 y2:9)、エラーが発生します:Exception in thread main java.lang.ArithmeticException: / by zero


完全なスクリプトは次のとおりです。

import java.io.*;

public class Cartesian
{
    public static int leesIn(String var, BufferedReader in) throws IOException
    {
        System.out.println("type een getal in die " + var + " moet voorstellen.");
        return Integer.parseInt(in.readLine());
    }
    public static void main(String[] args) throws IOException
    {


    BufferedReader in = new BufferedReader(new InputStreamReader(System.in));

    int x1, x2, y1, y2;
    x1 = leesIn("X1", in);
    y1 = leesIn("Y1", in);
    x2 = leesIn("X2", in);
    y2 = leesIn("Y2", in);

    System.out.println("The Coördinates of point 1 is: (" + x1 + ", " + y1 + "). The Coördinates of point 2 is: (" + x2 + ", " + y2 + ").");


    int deltaY = y2 - y1;
    int deltaX = x2 - x1;
    double RC = deltaY / deltaX;

    if ((RC) == 0)
    {
        System.out.println("The slope is 0, no linear line.");
    }else
    {
        System.out.println("The slope is: " + RC);
        double B = y1-(RC*x1);
        System.out.println("The crosspoint with Y, if x is 0, : " + B);
    }
}
}

誰でも私の問題を解決する方法を知っていますか? 事前にt​​nx!

4

3 に答える 3

1

計算できることが確実な領域に計算を移動する必要があります(あなたの場合double RC = deltaY / deltaX;

したがって、コードは次のようになります。

int deltaY = y2 - y1;
int deltaX = x2 - x1;

if (deltaY == 0)
{
    System.out.println("The slope is 0, no linear line.");
}else if (deltaX == 0)
{
    System.out.println("Not a Linear Line");
}else
{
    double RC = (double) deltaY / deltaX;
    System.out.println("The slope is: " + RC);
    double B = y1-(RC*x1);
    System.out.println("The crosspoint with Y, if x is 0, : " + B);
}
于 2013-10-18T10:22:28.560 に答える
0

これを試して

try {

  double RC = deltaY / deltaX;

  if ((RC) == 0)
  {
    System.out.println("The slope is 0, no linear line.");
  }else
  {
    System.out.println("The slope is: " + RC);
    double B = y1-(RC*x1);
    System.out.println("The crosspoint with Y, if x is 0, : " + B);
  }
} catch(ArithmeticException ae) {
    System.out.println("Not a linear line");
}
于 2013-10-18T10:30:32.527 に答える