Introduction to Java
Jan Tobochnik and Harvey Gould

Java is an object-oriented programming language with a built-in application programming interface (API) that can handle graphics and user interfaces and that can be used to create applications or applets. Because of its rich set of API's, similar to Macintosh and Windows, and its platform independence, Java can also be thought of as a platform in itself. Java also has standard libraries for doing mathematics.

Much of the syntax of Java is the same as C and C++. One major difference is that Java does not have pointers. However, the biggest difference is that you must write object oriented code in Java. Procedural pieces of code can only be embedded in objects. In the following we assume that the reader has some familiarity with a programming language. In particular, some familiarity with the syntax of C/C++ is useful.

In Java we distinguish between applications, which are programs that perform the same functions as those written in other programming languages, and applets, which are programs that can be embedded in a Web page and accessed over the Internet. Our initial focus will be on writing applications. When a program is compiled, a byte code is produced that can be read and executed by any platform that can run Java.

To use this tutorial you should run and study each program as you read along, so that you can see how added features affect the programs.

Table of Contents
Objects Constructors Private variables Extending a class Named constants Static methods
String type Arrays Methods and Scope Simple graphics Loops Offscreen Buffer
User Interaction Switch Structure Animation Threads Utility Package ControlFrame
ControlMenu Table Plot WorldGraphics Syntax Summary References

Objects

Object-oriented programming focuses on constructs called “objects.” An object consists of data and functions known as methods which use or change the data. (Methods are similar to procedures or functions in other languages.) Objects of the same kind are said to have the same type or be in the same class. A class defines what data can be in an object, and what operations are performed by the methods. One or more objects can be created or “instantiated” from a class. The structure of a Java program consists of various objects exchanging messages. The keyword class defines a blueprint for objects with similar properties. In our first example we define the class Particle.
public class Particle
{
   double x, y, vx, vy, mass;
}
This class does not do anything (because it has no methods), but it can be used to describe a particle by its position, velocity, and mass. For simplicity, we will consider only two dimensions.

Constructors

Every class has at least one constructor, a method which has the same name as the class. A constructor initializes a new object belonging to the class.
public class Particle
{
   double x, y, vx, vy, mass; // these variables can be used by any method in the class

   // example of constructor method
   public Particle(double x, double y, double vx, double vy, double mass)
   {

      /* Use this keyword to make explicit that a method
         is accessing its own variables. */
      this.x = x; // set instance variable x equal to value of x in parameter list
      this.y = y;
      this.vx = vx;
      this.vy = vy;
      this.mass = mass;
   }
}
The constructor Particle creates an object of the Particle class by specifying five parameters: the initial position and velocity of a particle and the value of its mass. We say that Particle is the constructor for the Particle class.

We have used the following properties of Java:

Multiple Constructors

The arguments of a constructor specify the parameters for the initialization of an object. Multiple constructors provide the flexibility of initializing objects in the same class with different sets of arguments, as in the following example.
public class Particle
{
   double x, y, vx, vy, mass;

   // examples of multiple constructors

   public Particle()
   {
      this(0.0,0.0);
   }

   public Particle(double x, double y)
   {
      this(x,y,1.0);
   }

   public Particle(double x, double y, double m)
   {
      this(x,y,0.0,0.0,m);
   }

   public Particle(double x, double y, double vx, double vy)
   {
      this(x,y,vx,vy,1.0);
   }

   public Particle(double x, double y, double vx, double vy, double mass)
   {
      this.x = x;
      this.y = y;
      this.vx = vx;
      this.vy = vy;
      this.mass = mass;
   }
}

We next give an example of a Particle class with methods for computing the weight of a particle and its distance from the origin. We will omit the velocity components for now.


public class Particle
{
   double x, y, mass;

   public Particle()
   {
   }

   public Particle(double x, double y)
   {
      this(x,y,1);
   }

   public Particle(double x, double y, double mass)
   {
      this.x = x; this.y = y; this.mass = mass;
   }

   public double getWeight()
   {
      return 9.8*mass;
   }

   public double distanceFromOrigin()
   {
      return Math.sqrt(x*x + y*y);
   }
}
  1. The fundamental parts of a method are its name, arguments, return type, and the body. Methods can be created only as part of a class. By convention, variable and method names begin with a lower case letter.

  2. The keyword return followed by an expression returns the value of the expression to the caller of the method. The type of the expression must be the same as specified by the method. (Note that a constructor does not return a value and hence no type is specified.) A method can return only the value of a single expression.

  3. The method distanceFromOrigin in the class Particle computes the distance of a particle from the origin using the particle coordinates x and y. The square root function Math.sqrt in this calculation is part of the Math class, a library of mathematical functions which consists of a collection of static methods. We will postpone a discussion of such classes, but their use is clear from the context.
A program consists of one or more class definitions, each of which should be in separate files. The name of the file should be the same as the name of the class, for example, MyApplication.java. One of these classes must define a method main.

The following program creates two objects of type Particle.

public class MyApplication
{
   public static void main(String[] args)
   {

      /* Need an instance of class Particle - a particle object;
      assign it to the variable a which is of type Particle. */

      Particle a = new Particle(1.0,1.0);
      System.out.println("Distance of particle a from origin = " + a.distanceFromOrigin());
      System.out.println("Mass of particle a = " + a.mass);
      Particle b = new Particle();
      b.x = 2.0;
      b.y = 3.0;
      b.mass = 3;
      System.out.println("Distance of particle b from origin = " + b.distanceFromOrigin());
      System.out.println("Mass of particle b = " + b.mass);
      System.out.println("Weight of particle b = " + b.getWeight());
   }
}

Public and Private Variables

Java uses three explicit keywords and one implied keyword to set the boundaries in a class: public, private, and protected. The default access specifier for the names of variables and methods is “package visibility” or “friendly,” which means that all the other classes in the current package have access to them. (Packages are Java's way of grouping classes to make libraries and will be discussed later.) The access specifier public means that the variables and methods are available from any package; private implies that the variables and methods can only be accessed inside methods of the same class. The keyword protected indicates additional access to variables and methods that are available to subclasses. We will clarify its meaning when we discuss
inheritance.

One reason to make a variable private is to restrict access to it. Access becomes an issue for threading which refers to the sequence of execution of program code. For example, we would want to avoid changing the value of a variable while another portion of the code is trying to read it. Make x private and see what happens when you run MyApplication.

If we declare x, y, and mass as private variables, we have to include explicit methods in Particle to allow another class to access the variable information in Particle. For simplicity, we will consider only the variables x and mass. Our Particle class becomes:

public class Particle
{
   private double x;
   private double mass;

   public Particle(double x)
   {
      this(x, 1.0);
   }

   public Particle(double x, double mass)
   {
      this.x = x;
      this.mass = mass;
   }

   public double getX()
   {
      return x;
   }

   public void setX(double newX)
   {
      x = newX;
   }

   public double getWeight()
   {
      return 9.8*mass;
   }

   public double distanceFromOrigin()
   {
      return Math.abs(x);
   }
}

Note the new methods getX and setX. They are used in the following.

public class MyApplication
{
   public static void main(String[] args)
   {
      Particle p = new Particle(10.0, 2.0);
      System.out.println("Distance of particle from origin = " + p.distanceFromOrigin());
      System.out.println("x-coordinate = " + p.getX()); // would have written p.x if x were public
      System.out.println(weight = " + p.getWeight());
      p.setX(3.0);    // change value of x
      System.out.println("new x-coordinate = " + p.getX());
      System.out.println("new distance from origin = " + p.distanceFromOrigin());
   }
}
In the following, we will not make variables such as x and y private, because they will be used in so many classes.

Using the Particle class

We now redefine the class Particle to include a method to compute the distance between two particles. The application that follows creates two particles and gives their mutual separation.
public class Particle
{
   double x, y, mass;

   public Particle(double x, double y)
   {
      this(x, y, 1.0);
   }

   public Particle(double x, double y, double mass)
   {
      this.x = x;
      this.y = y;
      this.mass = mass;
   }

   public double distanceFrom(Particle a)
   {
      double r2 = Math.pow(this.x - a.x, 2) + Math.pow(this.y - a.y,2);
      return Math.sqrt(r2);
   }

   public double distanceFromOrigin()
   {
      return Math.sqrt(x*x + y*y);
   }
}
public class MyApplication
{
   public static void main(String[] args)
   {

      Particle a = new Particle(5.0, 7.0);
      Particle b = new Particle(1.0, 2.0);
      System.out.println("Distance of a from b = " + a.distanceFrom(b));
      System.out.println("Distance of b from a = " + b.distanceFrom(a));
   }
}

Extending a class

Object oriented programming allows the user to reuse existing code rather than rewrite it. Classes have a hierarchical relationship, allowing the user to extend or modify the behavior of classes derived from base classes using inheritance. For example, we can expand the Particle class to include charged particles. The new class ChargedParticle will combine all the behavior and functionality of Particle with the ability to have a charge. We can implement ChargedParticle as an extension of Particle as shown below.
public class ChargedParticle extends Particle
{
   // magnitude of electron charge in Coulombs
   public static final double ELQ = 1.602e-19;
   private int charge;

   public ChargedParticle(double x,double y, double mass, int charge)
   {
      super(x, y, mass);       // constructor for Particle
      this.charge = charge;
   }

   public int getCharge()
   {
      return charge*ELQ;
   }

   public void setCharge(int newCharge)
   {
      charge = newCharge;
   }

   public static int netCharge(ChargedParticle a, ChargedParticle b)
   {
      return a.charge + b.charge;
   }
}
An example of the use of this new class is given below.
public class MyApplication
{
   public static void main(String[] args)
   {

   // particle charge is expressed in units of electron charge
   ChargedParticle a = new ChargedParticle(10.0,0,0,1);
   System.out.println("distance of a from origin = " + a.distanceFromOrigin());
   System.out.println("charge of a = " + a.getCharge());
   System.out.println("charge of a in coulombs = " + ChargedParticle.ELQ*a.getCharge());
   ChargedParticle b = new ChargedParticle(-5.0,0,0,-1);
   System.out.println("distance of b from origin: " +  b.distanceFromOrigin());
   System.out.println("charge of b = " + b.getCharge());
   System.out.println("net charge of a and b = " + ChargedParticle.netCharge(a,b));
   b.setCharge(3);
   System.out.println("new charge of b = " + b.getCharge());
   System.out.println("net charge of a and b = " + ChargedParticle.netCharge(a,b));
   }
}
Note how the (named) constant ELQ, the charge of an electron, has been introduced.
Static methods (class methods) and static variables, belong to a class and not a given instance of the class. The following example illustrates the nature of static variables:
public class StaticTest
{
   public static int x = 0;
   public int y = 0;

   public String getCoordinates()
   {
      return "x = " + x + ", y = " + y;
   }

   public static void main(String[] args)
   {
      StaticTest a = new StaticTest();
      StaticTest b = new StaticTest();
      a.x = 5;     // static variable
      a.y = 12;    // instance variable
      System.out.println(a.getCoordinates());      // outputs 5, 12
      b.x = 7;
      b.y = 13;
      System.out.println(a.getCoordinates());      // outputs 7, 12
      System.out.println(b.getCoordinates());      // outputs 7, 13
      StaticTest.x = 2;
      System.out.println(a.getCoordinates());      // outputs 2, 12
      System.out.println(b.getCoordinates());      // outputs 2, 13
   }
}
The (static) x member belongs to class Test and hence belongs to a and b. There is only one variable x and thus the value of x is always the one most recently specified. In contrast, y belongs to the instances a and b of the class Test and hence a.y and b.y are distinct variables.

The String type is unique among all classes because it is the only class to support an operator: the + operator can be used to concatenate strings. When a number is concatenated with a string, the number is converted to a string. Because a String variable is an object, it has methods. (The class String is different than other classes.) Some of its associated methods are summarized in Table 4.

Arrays

An array is a special object containing a group of contigious memory locations that have the same name and the same type and a separate variable containing an integer constant equal to the number of array elements. The elements of Java arrays are numbered starting from 0.

An array must be created before it can be used. We first declare a reference or "handle" to an array that permits Java to locate the object in memory when it is needed. Then we create an array object to assign to the reference using the new operator. For example, we can write

double x[];    // create an array reference
x = new double[5];    // create array object
Or we can create an array reference and an array object on a single line:
double x[] = new double[5];
The number of elements in the array x is x.length. The elements of the array are written as x[0], x[1], x[2], x[3], x[4].

An array object may be created and initialized when its reference is declared. For example,

double x[] = {1.0, 1.4, 1.6, 1.8, 3.0};
It is a good idea to declare array sizes using named constants (final variables) so that the length of the arrays can be easily changed.
final int ARRAY_SIZE = 1000;
double x[] = new double[ARRAY_SIZE];
Two-dimensional arrays
A two-dimensional array is implemented by creating a one-dimensional array each of whose elements is also an array. We first declare a reference to an array of arrays and then create the individual arrays associated with each element. For example
double x[][];   / create reference to an array of arrays
Then we can write for example,
x = new double[3][5]; create array objects

Methods and Scope

The general form of a method definition is
return-value-type method-name(parameter list)
{
   declarations and statements
   (return statement)
}
public class TestPassByValue
{
   public static void main(String[] args)
   {
      // instantiate a TestPassByValue object
      TestPassByValue t = new TestPassByValue();
      int i = 1;    // local variable
      System.out.println("value of i before test = " + i);
      // pass value of local variable
      int j = t.test(i);
      System.out.println("value of i after test = " + i);
      System.out.println("value of j = " + j);
      j = t.test2(j);
      System.out.println("value of i after test2 = " + i);
      System.out.println("value of j after test2 = " + j);
   }

   public int test (int i)
   {
      i = ++i;   // same as i = i + 1;
      System.out.println("value of i in test = " + i);
      return i;
   }

   public int test2 (int k)
   {
      int i = k;   // i refers to instance variable
      System.out.println("value of k = " + k);
      i = ++i;
      System.out.println("value of i in test2 = " + i);
      return i;
    }
}

Variables have either class scope or block scope. Methods and the instance variables of a class have class scope. Class scope begins at the opening left brace and ends at the closing right brace of the class definition. Class scope allows any method in the class to directly invoke any other method in the class and to directly access any instance variable of the class. In effect, instance variables are global variables within a class. Instance variables can be used to communicate between methods in a class or to retain information between calls of a given method in the class.

A block is a compound statement and consists of all the statements between an opening and closing brace. Variables defined inside a block have block scope. Variables defined within a block have block scope and are visible within the block; they are not visible outside the block.

A variable can have the same name as an instance variable as an instance variable or method in the class in which the method is defined. In this case the instance variable is hidden from the method by the local variable. Example:

public class Point
{
   // define instance data
   public double x,y;   // instance variables

   // define constructors

   public Point()
   {
      x = 1;  // same variables as instance variables
      y = 1;
   }

   public Point (double x, double y)
   {
      this.x = x;  // this.x refers to instance variable
      this.y = y;
      this.x++;
      System.out.println("this.x = " + this.x);
      System.out.println("x = " + x);    // parameter variable
   }

   public Point (double x, double y, boolean dummy)
   {
      x++;
      System.out.println("x = " + x);
   }
}

public class TestPoint
{
   public static void main(String[] args)
   {

      /* Need an instance of class Particle - a particle object;
      assign it to the variable a which is of type Particle. */

      Point a = new Point(2.0,1.0);
      System.out.println("x = " + a.x);
      Point b = new Point();
      b.x = 3.0;
      System.out.println("xb = " + b.x);
   }
}

Simple Graphics

A powerful feature of Java is its ability to do graphics relatively simply. We next introduce several methods in the Particle class to draw a representation of the particle.
import java.awt.*;
public class Particle
{
   double x,y;
   Color color;    // part of AWT package

   public Particle(double x, double y)
   {
      // constructor with color variable
      this.x = x;
      this.y = y;
      color = Color.blue;        // define default color
   }

   // Draw representation of particle in given graphics context
   public void draw(Graphics g)
   {
      Color oldColor = g.getColor();
      g.setColor(color);
      g.fillOval((int)x, (int)y, 12, 12);
      g.setColor(oldColor);
   }

   public Color getColor()
   {
      return color;
   }

   public void setColor(Color newColor)
   {
      color = newColor;
   }

   public void move(double dx, double dy)
   {
      x += dx;     // same as x = x + dx;
      y += dy;
   }
}
The following simple class draws the particle:
import java.awt.*;
public class ParticleDrawer extends Frame
{
   public static void main(String[] args)
   {
      // Create new frame
      ParticleDrawer frame = new ParticleDrawer();
   }

   // Construct ParticleDrawer frame
   public ParticleDrawer()
   {
      // predefined methods
      setSize(512, 342);    // units of coordinate system in pixels
      setVisible(true);
   }

   // Paint particles
   public void paint(Graphics g)
   {
      Particle p = new Particle(3.1, 4.1);
      p.draw(g);
      p.move(26.5, 35.8);
      p.setColor(Color.red);
      p.draw(g);
   }
}
As an example we draw the trajectory of a projectile. To do so we add to Particle the method step to integrate the equations of motion for one time step. The arguments of step are the time step and the Force on the particle, which is defined in another class. We also add other useful methods.
public class Particle
{
   private double x,y,vx,vy,ax,ay;
   private double mass = 1.0;
   private boolean firststep = true;

   public Particle(double x, double y, double vx, double vy)
   {
      this.x = x;
      this.y = y;
      this.vx = vx;
      this.vy = vy;
   }

   public double getMass()
   {
      return mass;
   }

   public void setMass(double mass)
   {
      this.mass = mass;
   }

   public double getX()
   {
      return x;
   }

   public double getY()
   {
      return y;
   }

   public double getVx()
   {
      return vx;
   }

   public double getVy()
   {
      return vy;
   }

   public double getAx()
   {
      return ax;
   }

   public double getAy()
   {
      return ay;
   }

   public void setX(double x)
   {
      this.x = x;
   }

   public void setY(double y)
   {
      this.y = y;
   }

   public void setVx(double vx)
   {
      this.vx = vx;
   }

   public void setVy(double vy)
   {
      this.vy = vy;
   }

   public void step(double dt, Force f)
   {
      if (firststep)
      {
         ax = f.getfx(x,y,vx,vy,this)/mass;  // acceleration at beginning of interval
         ay = f.getfy(x,y,vx,vy,this)/mass;
         firststep = false;
      }
      // Euler-Richardson algorithm
      double vxm = vx + 0.5*ax*dt;  // velocity at middle of interval
      double vym = vy + 0.5*ay*dt;
      double xm = x + 0.5*vx*dt;    // position at middle of interval
      double ym = y + 0.5*vy*dt;
      double axm = f.getfx(xm,ym,vxm,vym,this)/mass;
      double aym = f.getfy(xm,ym,vxm,vym,this)/mass;
      vx += axm*dt;            // velocity at end of interval
      vy += aym*dt;
      x += vxm*dt;           // position at end of interval
      y += vym*dt;
      ax = f.getfx(x,y,vx,vy,this)/mass;  // acceleration at end of interval
      ay = f.getfy(x,y,vx,vy,this)/mass;
   }
}

public class Force
   {
   private final static double g = 9.8; // not convention
   double b = 0;   // used in drag force

   public void setb(double b)
   {
      this.b = b;
   }

   public double getfx(double x, double y, double vx, double vy, Particle p)
   {
      return -b*vx;
   }

   public double getfy(double x, double y, double vx, double vy, Particle p)
   {
      return -b*vy - g*p.getMass();
   }
}

Note that {\tt If} statements are the same as in C/C++ except that Java uses a boolean value to condition the execution. Summary of relational operators.

The step method implements the Euler-Richardson integration algorithm. We need to compute the acceleration at the beginning of the interval the first time the algorithm is used. Then we can use the acceleration computed at the end of the previous interval. Note how this is used in the step method to refer to the Particle itself; in Force we use the argument Particle to get the particle's mass.

The class that draws the trajectory is given below.

import java.awt.*;
public class Simulation extends Frame
{
   public static void main(String[] args)
   {
      Simulation sim = new Simulation();   // set up window for application
   }

   public Simulation()
     {
        setSize(512,342);
        setVisible(true);
    }

}

   public void paint(Graphics g)
   {
      setBackground(Color.white);
      calculateTrajectory(g);
   }

   private void calculateTrajectory(Graphics g)
   {
      final double tmax = 10.0;
      final double dt = 0.5;
      Particle p = new Particle(0.0, 200.0, 40.0, 25.0);
      Force f = new Force();
      g.setColor(Color.blue);
      double time = 0.0;
      while (time < tmax)
      {
      // draw circle of diameter 10 pixels. note use of casting
         g.drawOval((int)p.getX(), getSize().height - (int)p.getY(), 10, 10);  
         p.step(dt,f);
         time += dt;
      }
   }
}

Offscreen buffers

When the window of another application covers the frame, Java automatically calls paint when the user returns to our original program. This action allows us to see the contents of the original window. However, in the above program it means that the trajectory must be recomputed. A better approach is to first draw the trajectory to an offscreen image buffer and then blast the latter to the screen. As long as the buffer is saved, no new calculations need to be done.

First we will show how this is done for the Simulation class and then we will show an example where it is more useful. // Image and Graphics do not use constructors.

import java.awt.*;
public class Simulation extends Frame
{
   Image offscreen;   // make image class variable so available to all methods

   public static void main(String[] args)
   {
       Simulation sim = new Simulation();   // set up window for application
   }

   public Simulation()
   {
      setSize(512, 342);
      setVisible(true);
      offscreen = createImage(getSize().width, getSize().height);
      calculateTrajectory();
   }

   public void paint(Graphics g)
   {
      setBackground(Color.white);
      g.drawImage(offscreen, 0, 0, this);  // draw image onto screen
   }

   public void calculateTrajectory()
   {
      final double tmax = 10.0;
      final double dt = 0.5;
      Graphics g = offscreen.getGraphics();
      g.setColor(Color.blue);
      Particle p = new Particle(0.0, 200.0, 40.0, 25.0);
      Force f = new Force();
      double time = 0.0;
      while (time < tmax)
      {
         g.drawOval((int)p.getX(), getSize().height - (int)p.getY(), 10, 10);
         p.step(dt,f);
         time += dt;
      }
   }
}

User Interaction

Offscreen buffers are useful when we want to draw more than one trajectory without running the program over again. To do so we want the user to interact with the program. This feature is very easy to accomplish using components such as Buttons, TextFields, and Menus. Below we show how to use a TextField to receive a number from the user. We put the TextField on a separate frame and use an actionListener to detect whether the user has entered a number in the TextField. The number entered will be the friction coefficient, b, used in a drag force of the form -bv.
import java.awt.*;
import java.awt.event.*;   // needed for actionListener

class ParameterInput extends Frame
{
   TextField tf;
   Label lb;
   Simulation sim;

   public FrictionInput (Simulation sim)  // pass address of object
   {
      this.sim = sim;
      setUpFrame();
   }

   public void setUpFrame()
   {
      setTitle("Friction Input");
      setSize(200,100);
      setLocation(400,50);  // location for frame
      setLayout(null);   // not using any layout manager
      lb = new Label("Friction Coefficient"); // new label for textfield
      lb.setSize(150,20);
      lb.setLocation(30,70);
      add(lb);                                 // add label
      tf = new TextField();  // new textfield
      tf.addActionListener(new actionTF());   // add listener
      tf.setSize(50,20);
      tf.setLocation(30,40);
      add(tf);                                  // add textfield
      setVisible(true);
   }

   class actionTF implements ActionListener   // example of Internal class
   // user has to tell ActionLister what to do so have to implement it.
   {    

      public void actionPerformed(ActionEvent e)
      {
         Double R = new Double(tf.getText().trim());  // convert text to number
         // trim gets rid of extra zeros 
         sim.calculateTrajectory(R.doubleValue());
      }
   }
}

The following modification of Simulation uses FrictionInput.

import java.awt.*;

public class Simulation extends Frame
{
   private Image offscreen;
   private int counter = 0;  // used to change color for each trajecto
   public static void main(String[] args)
   {
      Simulation sim = new Simulation();   // set up window for application
      FrictionInput fi = new FrictionInput(sim);   // set up second window
   }

   public Simulation()    // constructor
   {
      setSize(512, 342);
      setVisible(true);
      offscreen = createImage(getSize().width, getSize().height);
   }

   public void paint(Graphics g)
   {
      setBackground(Color.white);
      g.drawImage(offscreen, 0, 0, this);   // draw image on screen
   }

   public void calculateTrajectory(double b)
   {
      final double tmax = 10.0;
      final double dt = 0.5;
      Graphics g = offscreen.getGraphics();   // create buffer
      changeColor(g);
      Particle p = new Particle(0.0, 200.0, 40.0, 25.0);
      Force f = new Force();
      f.setb(b);
      double time = 0.0;
      while (time < tmax)
      {
         g.drawOval((int)p.getX(), getSize().height - (int)p.getY(), 10, 10);
         p.step(dt,f);
         time += dt;
      }
      repaint();
   }

   public void changeColor(Graphics g)
   {
      switch(counter++)
      {
         case 0:
            g.setColor(Color.red);
            break;
         case 1:
            g.setColor(Color.blue);
            break;
         case 2:
            g.setColor(Color.green);
            break;
         case 3:
            g.setColor(Color.yellow);
            break;
         case 4:
            g.setColor(Color.magenta);
            break;
         case 5:
            g.setColor(Color.orange);
            break;
         case 6:
            g.setColor(Color.cyan);
            break;
         case 7:
            g.setColor(Color.pink);
            break;
         default:
            g.setColor(Color.black);
       }
   }
}

Animation

We now return to a single trajectory and discuss animation. Instead of showing the trajectory we will simply show a ball as it moves. The following code does this so that there is very little flicker. We have reduced the time step so that the motion of the ball will be slowed down.

import java.awt.*;

public class Simulation extends Frame
{
   Image offscreen;

   public static void main(String[] args)
   {
      Simulation sim = new Simulation();   // set up window for application
      sim.calculateTrajectory();
   }

   public Simulation()
   {  // constructor
      setSize(512, 342);
      setVisible(true);
      offscreen = createImage(getSize().width, getSize().height);
   }

   public void paint(Graphics g)
   {
      setBackground(Color.white);
      g.drawImage(offscreen,0,0,this);
   }

   public void calculateTrajectory()
   {
      final double tmax = 10.0;
      final double dt = 0.005;
      Graphics b = offscreen.getGraphics();
      Particle p = new Particle(0.0, 200.0, 40.0, 25.0);
      Force f = new Force();
      double time = 0.0;
      while (time < tmax)
      {
         Rectangle oldRect = new Rectangle((int)p.getX(),getSize().height -(int)p.getY(),11,11);
         p.step(dt,f);
         time += dt;
         Rectangle newRect = new Rectangle((int)p.getX(),getSize().height -(int)p.getY(),11,11);
         // new region of ball
         Rectangle r = newRect.union(oldRect); // new plus old region
         // b is buffer. key to avoid flicker is not to call repaint
         b.clearRect(r.x,r.y,r.width,r.height);    // clear new plus old region on buffer
         b.fillOval((int)p.getX(), getSize().height - (int)p.getY(), 10, 10);
         Graphics g = getGraphics();
         g.drawImage(offscreen,0,0,this);
      }
   }
}

The basic strategy used above is to define three rectangles. One containing the old position of the ball, one containing the new position, and one which is the union of the two. Then we clear the buffer of this latter rectangle, and draw our new ball. We then draw our image to the screen. Note how we grab the Graphics object for the screen within calculateTrajectory instead of using repaint. This avoids some of the flickering that would occur from clearing the Frame.

Threads

Often we want the user to be able to interrupt a simulation while it is running, and then start it going again. For example, we might want to know the coordinates of our ball at some instant while we are watching it. One can use Threads to accomplish this. Basically, a Thread is a process which is running parallel to another process. Below we set up a Thread and use a MouseListener to interrupt the program. The interface Runnable contains the methods we need to start, stop, and run the Thread.
import java.awt.*;
import java.awt.event.*;

public class Simulation extends Frame implements MouseListener, Runnable
{
   Image offscreen;
   Graphics gb;   // graphics buffer
   Particle p;
   Force f;
   boolean running = false;
   Thread runner;

   public static void main(String[] args)
   {
      Simulation sim = new Simulation();  // set up window for application
   }

   public Simulation()
   { // constructor
     setSize(512, 342);
     setVisible(true);
     offscreen = createImage(getSize().width, getSize().height);
     p = new Particle(0.0, 200.0, 40.0, 25.0);
     f = new Force();
     gb = offscreen.getGraphics();
     start();  // method associated with thread
     addMouseListener(this);   // this refer to frame class
   }

   public void paint(Graphics g)
   {
      setBackground(Color.white);
      g.drawImage(offscreen,0,0,this);
   }

   public void start()
   {
      runner = new Thread(this);   // this refers to frame
     runner.start();
   }

   public void stop()
   {
      runner.stop();
   }

   public void run()
   {
      while(true)
      {
         try {Thread.sleep(5);}  // delay 5 msec between updates
         catch (InterruptedException e){};   // would catch the moue click
         if(running) calculateTrajectory();
      }
   }

   public void mouseClicked(MouseEvent e)
   {
      // see coordinates
      Graphics g = getGraphics();
     g.clearRect(0,0,getSize().width, getSize().height);
     g.fillOval((int)p.getX(), getSize().height - (int)p.getY(), 10, 10);
     g.drawString("x = " + String.valueOf(p.getX()),e.getX(),e.getY());
     g.drawString("y = " + String.valueOf(p.getY()),e.getX(),e.getY() + 30);
  running = false;
   }

   public void mouseEntered(MouseEvent e) {running = true;}
   // move inside frame, runs; otherwise stops
   public void mouseExited(MouseEvent e) {running = false;}
   public void mousePressed(MouseEvent e) {}
   public void mouseReleased(MouseEvent e) {}

   public void calculateTrajectory()
   {
      // should be draw trajectory
     private final double dt = 0.005;
     Rectangle oldRect = new Rectangle((int)p.getX(),getSize().height -(int)p.getY(),11,11);
  p.step(dt, f);
     time += dt;
     Rectangle newRect = new Rectangle((int)p.getX(),getSize().height -(int)p.getY(),11,11);
     Rectangle r = newRect.union(oldRect);
     gb.clearRect(r.x,r.y,r.width,r.height);
     gb.fillOval((int)p.getX(), getSize().height - (int)p.getY(), 10, 10);
     Graphics g = getGraphics();
     g.drawImage(offscreen,0,0,this);
   }
}

We have modified calculateTrajectory so that it only computes and draws one step. We have eliminated the while statement. Instead control of the trajectory is given to the run method of the Thread runner. The try catch statement is used to interrupt the Thread for 5 milliseconds to check to see if any event occurred. The MouseListener checks for events. In this case we can stop the motion by moving the mouse outside the Frame, and start it again by moving it into the Frame and start it again by moving it into the Frame. If the mouse is clicked, we write the x and y coordinates of the ball at the locatiuon of the mouse click, redraw the ball, and stop the motion. Note that the interface methods mousePressed and mouseReleased must be defined even though they do not do anything in this example.

References

  1. Stephen J. Chapman, Java for Engineers and Scientists, Prentice-Hall (2000).

  2. Bruce Eckel, Thinking in Java, Prentice-Hall (1998). Covers all the syntax, plus some finer points of OOP.

  3. Matthias Felleisen and Daniel Friedman, A Little Java, A Few Patterns, MIT Press (1998). Cute little tutorial that does not teach much syntax, but is designed to improve your OOP style.

  4. David Flanagan, Java in a Nutshell, second edition, O'Reilly (1997).

  5. David Geary, Graphic Java, Addison-Wesley.

  6. Joseph O'Neil and Herb Schildt, Teach Yourself Java, Osborne (1999). Good language reference for getting up to speed quickly.

  7. Walter Savitch, Java: An introduction to Computer Science and Programming, Prentice-Hall (1999).

  8. Sun's Java Documentation or better JavaDoc2.

  9. Patrick Winston and Sundar Narasimhan, On to Java, 2nd ed., Addison-Wesley (1999).

  10. Also see javaintro and Java development tutorial.

  11. Peter van der Linden, Just Java and Beyond, Sun Microsystems.

  12. Patrick Chan and Rosanna Lee, The Java Developers Almanac 2000.

Please send comments and corrections to Jan Tobochnik, jant@kzoo.edu or Harvey Gould, hgould@physics.clarku.edu.

Updated 20 July 2000.