Time.java
Created with JBuilder
// Fig. 10.21: Time.java
// Time class declaration with set and get methods.
import java.text.DecimalFormat;

public class Time {
  private int hour;     // 0 - 23
  private int minute;   // 0 - 59
  private int second;   // 0 - 59

  // one formatting object to share in toString and toUniversalString
  private static DecimalFormat twoDigits = new DecimalFormat( "00" );

  // Time constructor initializes each instance variable to zero;
  // ensures that Time object starts in a consistent state
  public Time()
  {
    this( 0, 0, 0 ); // invoke Time constructor with three arguments
  }

  // Time constructor: hour supplied, minute and second defaulted to 0
  public Time( int h )
  {
    this( h, 0, 0 ); // invoke Time constructor with three arguments
  }

  // Time constructor: hour and minute supplied, second defaulted to 0
  public Time( int h, int m )
  {
    this( h, m, 0 ); // invoke Time constructor with three arguments
  }

  // Time constructor: hour, minute and second supplied
  public Time( int h, int m, int s )
  {
    setTime( h, m, s );
  }

  // Time constructor: another Time3 object supplied
  public Time( Time time )
  {
    // invoke Time constructor with three arguments
    this( time.getHour(), time.getMinute(), time.getSecond() );
  }

  // Set Methods
  // set a new time value using universal time; perform
  // validity checks on data; set invalid values to zero
  public void setTime( int h, int m, int s )
  {
    setHour( h );   // set the hour
    setMinute( m ); // set the minute
    setSecond( s ); // set the second
  }

  // validate and set hour
  public void setHour( int h )
  {
    hour = ( ( h >= 0 && h < 24 ) ? h : 0 );
  }

  // validate and set minute
  public void setMinute( int m )
  {
    minute = ( ( m >= 0 && m < 60 ) ? m : 0 );
  }

  // validate and set second
  public void setSecond( int s )
  {
    second = ( ( s >= 0 && s < 60 ) ? s : 0 );
  }

  // Get Methods
  // get hour value
  public int getHour()
  {
    return hour;
  }

  // get minute value
  public int getMinute()
  {
    return minute;
  }

  // get second value
  public int getSecond()
  {
    return second;
  }

  // convert to String in universal-time format
  public String toUniversalString()
  {
    return twoDigits.format( getHour() ) + ":" +
        twoDigits.format( getMinute() ) + ":" +
        twoDigits.format( getSecond() );
  }

  // convert to String in standard-time format
  public String toString()
  {
    return ( ( getHour() == 12 || getHour() == 0 ) ?
             12 : getHour() % 12 ) + ":" + twoDigits.format( getMinute() ) +
                          ":" + twoDigits.format( getSecond() ) +
                          ( getHour() < 12 ? " AM" : " PM" );
  }

} // end class Time



Time.java
Created with JBuilder