// Displays IMDB's Top 250 movies that match a search string. import java.io.*; // for File import java.util.*; // for Scanner public class Movies { public static void main(String[] args) throws FileNotFoundException { String searchWord = getWord(); Scanner input = new Scanner(new File("imdb.txt")); String line = search(input, searchWord); int matches = 0; if (line.length() > 0) { System.out.println(); System.out.println("Rank\tVotes\tRating\tTitle"); while (line.length() > 0) { matches++; display(line); line = search(input, searchWord); } } System.out.println(matches + " matches."); } // Asks the user for their search word and returns it. public static String getWord() { System.out.print("Search word: "); Scanner console = new Scanner(System.in); String searchWord = console.next(); return searchWord.toLowerCase(); } // Breaks apart each line, looking for lines that match the search word. public static String search(Scanner input, String searchWord) { while (input.hasNextLine()) { String line = input.nextLine(); Scanner lineScan = new Scanner(line); lineScan.nextInt(); // skip rank lineScan.nextDouble(); // skip rating lineScan.nextInt(); // skip votes String title = lineScan.nextLine(); // all the rest if (title.toLowerCase().indexOf(searchWord) >= 0) { return line; } } return ""; // not found } // Displays the line in the proper format on the screen. public static void display(String line) { Scanner lineScan = new Scanner(line); int rank = lineScan.nextInt(); double rating = lineScan.nextDouble(); int votes = lineScan.nextInt(); String title = lineScan.nextLine().trim(); // all the rest System.out.println(rank + "\t" + votes + "\t" + rating + "\t" + title); } }