-4

math.sqrt(X)。以下は math.sqrt(X) の表です。以下はその表です

     public class SqRoots
{     static final int N = 10;  // How many square roots to compute.

     public static void main ( String [] args )
     {
         // Display a title
         System.out.println( "\n Square Root Table" );
         System.out.println( "-------------------" );

         for ( int i = 1; i <= N; ++i ) // loop 
         {
             // Compute and display square root of i
             System.out.println( "   " + i + ":\t" + Math.sqrt( i ) );
         }
       }
    }
4

2 に答える 2

2

これが私がすることです:

public class SqrtTester {
    public static final int MAX_VALUES = 100;

    public static void main(String [] args) {
        int numValues = ((args.length > 0) ? Integer.valueOf(args[0]) : MAX_VALUES);
        double x = 0.0;
        double dx = 0.1;
        for (int i = 0; i < numValues; ++i) {
            double librarySqrt = Math.sqrt(x);
            double yourSqrt = SqrtTester.sqrt(x);
            System.out.println(String.format("value: %10.4f library sqrt: %10.4f your sqrt: %10.4f diff: %10.4f", x, librarySqrt, yourSqrt, (librarySqrt-yourSqrt)));
            x += dx;
        }
    }

    public static double sqrt(double x) {
        double value = 0.0;
        // put your code to calc square root here
        return value;
    }
}
于 2013-06-04T23:43:38.297 に答える
0

最初の単純な部分: 「1 ずつ増加する 0 から 10 までの x のすべての値に対して」という意味

for(int x = 0; x < 10; x++) {
    // do something with x
}

難しい部分: 「テーブルを作成する」

データの「行」を保持するクラスを作成します。

public class Result {
    private int x;
    private double mathSqrt;
    private double mySqrt;

    public double diff() {
        return mySqrt - mathSqrt;
    }

    // getters and other methods as you need
}

次に、いくつかのコードのループを使用して、すべての x 値に対して Result オブジェクトを作成し、すべてをまとめます。

于 2013-06-04T23:43:58.113 に答える