A good answer might be:

The finished program is given below.

Complete Program

The complete program can be copied and pasted into NotePad, and run in the usual way.
import java.io.*;
// User picks ending value for time, t.
// The program calculates and prints the distance the brick has fallen for each t.
//
class fallingBrick
{
  public static void main (String[] args ) throws IOException
  {
    final double G = 9.80665;   // constant of gravitational acceleration
    int    t, limit;            // time in seconds, and ending value of time
    double distance;            // the distance the brick has fallen

    BufferedReader userin = new BufferedReader (new InputStreamReader(System.in));
    String inputData;

    System.out.println( "Enter limit value:" );
    inputData = userin.readLine();
    limit     = Integer.parseInt( inputData );

    // Print a table heading
    System.out.println( "seconds\tDistance"  );
    System.out.println( "-------\t--------"  );

    t         = 0 ;
    while (  t <= limit )    
    {
      distance = (G * t * t)/2 ;
      System.out.println( t + "\t" + distance );

      t = t + 1 ;
    }
  }
}

What were the two traps in the formula? (1) If you translated it as (1/2)*G*t*t you are wrong. This would do an integer division of 1 by 2, resulting in zero. (2) If you translated it as 1/2*G*t*t you are wrong. To the compiler, this looks like the first wrong formula (because "/" has equal precidence to "*"). A third problem is that the square has to be computed as t multiplied by t.

QUESTION 15:

Now say that you wanted the table to show time increasing in steps of 0.1 seconds. Modify the program so that it does this with maximum accuracy. The user will still enter the limit in seconds.

Click Here after you have answered the question