2-B: Strings
We start to delve into algorithms and basic AI with our first CollegeBoard-issued lab. We will learn about String manipulation so we can have a conversation with our computer.
Learning Targets
- I can use common String methods to modify a string. 
- I can evaluate the contents of a String. 
- I can use a Scanner to take inputs. 
- I can isolate an object in the user's input and use it in Magpie's response. 
Magpie Lab
CollegeBoard used to have three official projects, Magpie, Elevens, and PicLab. A few years ago, they dropped those four and started four new ones: Celebrity, Consumer Review, DataLab, and Steganography. But I still think Magpie is the best lab for starters.
What's a magpie? 
A bid that can mimic speech.


Check out the chatbot in Activity 1:
Strings
Check out the official documentation.
Strings are a special data type in Java. They're not primitives but they behave a little differently than most instantiated objects. In many ways, they're an array of primitive char objects. The biggest difference is that Strings also have many helpful methods to change their formatting, to search and examine the Strings, and lots of other helpful tools. 



StringExplorer
Create a new class in our project called StringExplorer and drop this code in:
import java.util.Scanner;
public class StringExplorer
{
	public static void main(String[] args)
	{
      // Count down with a "T minus 5"
      
      // Declare and instantiate a Scanner
    
      // infinite loop 
      
          // take an input
    
          // repeat input + message
    
          // implement "equals" to stop with the word "stop"
          
      
      /*
      ---------------------------
          SAMPLE STUFF
      ---------------------------
      */
  		String sample = "The quick brown fox jumped over the lazy dog.";
  
      // Print the sample and add a blank line after
      System.out.println("OUR SAMPLE:");
  		
      //  Demonstrate the length method.
  		int l = 9999;
  		System.out.println ("sample.length() = " + l);
  
  		//  Demonstrate the indexOf method.
  		int position = 9999;
  		System.out.println ("sample.indexOf(\"quick\") = " + position);
		
      //  Demonstrate the toLowerCase method.
		  String lowerCase = sample.toLowerCase();
		  System.out.println ("sample.toLowerCase() = " + lowerCase);
		  System.out.println ("After toLowerCase(), sample = " + sample);
				
		  //  toUpperCase
      // lastIndexOf
      // substring
      
      
      // equals
	}
}

Activity 2 Starter Code
Now we're going to add a few new classes to the project.
Magpie.java
import java.util.Scanner;
/**
 * A simple class to run the Magpie class.
 * @author Laurie White
 * @version April 2012
 */
public class MagpieRunner
{
	/**
	 * Create a Magpie, give it user input, and print its replies.
	 */
	public static void main(String[] args)
	{
		Magpie maggie = new Magpie();
		
		System.out.println (maggie.getGreeting());
		Scanner in = new Scanner (System.in);
		String statement = in.nextLine();
		
		while (!statement.equals("Bye"))
		{
			System.out.println (maggie.getResponse(statement));
			statement = in.nextLine();
		}
	}
	
}
Now write a commit message to bookmark these changes and push the new version to GitHub. Then following along with the exercises in Activity 2.
Activity 3: Better method
Magpie's current structure and use of .indexOf("something") >= 0 is full of logic errors. It's caps sensitive, it can't tell if you've entered no response at all, and it sees the word "no" inside of "know". Let's do better. 
Let's drop these two methods into your Magpie class (they're overloaded):
/**
 * Search for one word in phrase. The search is not case
 * sensitive. This method will check that the given goal
 * is not a substring of a longer string (so, for
 * example, "I know" does not contain "no").
 *
 * @param statement the string to search
 * @param goal the string to search for
 * @param startPos the character of the string to begin the search at
 * @return the index of the first occurrence of goal in
 *         statement or -1 if it's not found
 */
private int findKeyword(String statement, String goal,
		int startPos)
{
	String phrase = statement.trim().toLowerCase();
	goal = goal.toLowerCase();
	// The only change to incorporate the startPos is in
	// the line below
	int psn = phrase.indexOf(goal, startPos);
	// Refinement--make sure the goal isn't part of a
	// word
	while (psn >= 0)
	{
		// Find the string of length 1 before and after
		// the word
		String before = " ", after = " ";
		if (psn > 0)
		{
			before = phrase.substring(psn - 1, psn);
		}
		if (psn + goal.length() < phrase.length())
		{
			after = phrase.substring(
					psn + goal.length(),
					psn + goal.length() + 1);
		}
		// If before and after aren't letters, we've
		// found the word
		if (((before.compareTo("a") < 0) || (before
				.compareTo("z") > 0)) // before is not a
										// letter
				&& ((after.compareTo("a") < 0) || (after
						.compareTo("z") > 0)))
		{
			return psn;
		}
		// The last position didn't work, so let's find
		// the next, if there is one.
		psn = phrase.indexOf(goal, psn + 1);
	}
	return -1;
}
/**
 * Search for one word in phrase. The search is not case
 * sensitive. This method will check that the given goal
 * is not a substring of a longer string (so, for
 * example, "I know" does not contain "no"). The search
 * begins at the beginning of the string.
 * 
 * @param statement
 *            the string to search
 * @param goal
 *            the string to search for
 * @return the index of the first occurrence of goal in
 *         statement or -1 if it's not found
 */
private int findKeyword(String statement, String goal)
{
	return findKeyword(statement, goal, 0);
}Now we've got to update our getResponse method to use this instead of indexOf. 
Let's use this chart to walk through what's happening:

Activity 4: Slice and dice
Okay, now you're ready to follow along the student guide with the class and ask some questions along the way.
Review
Let's review some basics before we move onto our next, advanced concept. Now's the time to hit codingbat, SoloLearn, Codecademy, or other training websites to practice. You want the basics down pat so you can focus on new concepts as we move forward.
public class Drills {
    
    public static void main(String[] args) {
    
        // Declare 5 different data types with initial values (include at least one array)
        
        // A standard for loop printing numbers 1-5 with their squares (i.e. num * num)
        
        // Create an int array with test scores: 85, 92, 78, 95, 88, 73, 91
        // Use a for-each loop to traverse and print each score
        
        // Calculate and print the average of the test scores array
        
        // Count how many scores are above 85 using a loop
        
        // An infinite loop that collects user input
        
            // A short-circuit conditional with four tests
            // (check if input is: positive && less than 100 && even && divisible by 5)
        
                // Break the loop if all conditions pass
        
        // Loop through each char in the String "DataScience"
        // Print each character on a separate line with its index
                
        // Given String word = "Algorithm", print only the first three letters
        
        // Print all the odd numbers from 1-100 in rows of 10 numbers each
        
        // Create a Scanner and take a String input (ask for user's name)
        
        // Create a Scanner, take a number, print a countdown from that number to 0
        // Format: "T-minus [number]..."
        
        // Create a double array for temperatures: {72.5, 68.3, 75.1, 69.8, 71.2}
        // Find and print the highest and lowest temperatures
        
    }
    
    // Create a method that compares two arrays and returns the larger average
    // Include a proper JavaDoc comment
    
    // Create a method that formats a number as a percentage (returns String)
    // Include a proper JavaDoc comment
    
}Last updated
Was this helpful?
