Exercise Construction Steps (Cont.)

  1. Calling a Java Program (Java)
  2. The Java program SearchString.java lists the number of keywords matched between the string (the first command-line argument args[0]) and the query (the second command-line argument args[1])
      shell> /usr/bin/java  SearchString \ 
               'PHP Java C# MySQL' 'mysql php' 
    The class java.util.StringTokenizer allows an application to break a string into tokens.

    ~/public_html/cgi-bin/280/5/SearchString.java
    01// The StringTokenizer class is to break a string into tokens.
    02import java.util.StringTokenizer;
    03 
    04public class SearchString {
    05 
    06  // The main( ) method will be called first when program is executed.
    07  public static void main( String args[ ] ) {
    08    int count = 0;
    09 
    10    SearchString searchString = new SearchString( args[0], args[1] );
    11    System.out.println( "The string: " + args[0] );
    12    System.out.println( "The query: "  + args[1] );
    13 
    14    StringTokenizer keyword = new StringTokenizer( args[1], " " );
    15    // hasMoreTokens( ) tests if there are more tokens available.
    16    while ( keyword.hasMoreTokens( ) )
    17      // nextToken( ) returns the next token.
    18      count += searchString.keywordSearch( keyword.nextToken( ) );
    19    System.out.println( "Number of keywords found: " + count );
    20  }
    21 
    22  // Two member variables
    23  private String str;
    24  private String query;
    25 
    26  // A constructor
    27  public SearchString( String s, String q ) {
    28    str   = s;
    29    query = q;
    30  }
    31 
    32  // A member method
    33  public int keywordSearch( String keyword ) {
    34    // indexOf( ) returns the index position of the first occurrence of
    35    // a specified string.  -1 is returned if the string is not found.
    36    if ( str.toUpperCase( ).indexOf( keyword.toUpperCase( ) ) != -1 )
    37      return( 1 );
    38    else
    39      return( 0 );
    40  }
    41}