| 
0102
 03
 04
 05
 06
 07
 08
 09
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 
 | package algs13;
import stdlib.*;
/* ***********************************************************************
 *  Compilation:  javac MultiwordSearch.java
 *  Execution:    java MultiwordSearch query1 query2 ... < input.txt
 *  Dependencies: Queue.java StdIn.java
 *
 *  Find the shortest interval (number of words) in the input file
 *  that contains the query words in the order specified on the command line.
 *
 *************************************************************************/
public class XMultiwordSearch {
  public static void main(String[] args) {
    String[] words = StdIn.readAll().split("\\s+");
    // construct queues[j] = sequence of positions of jth query word
    @SuppressWarnings("unchecked")
    final
    Queue<Integer>[] queues = new Queue[args.length];
    for (int j = 0; j < args.length; j++) {
      queues[j] = new Queue<>();
    }
    for (int i = 0; i < words.length; i++) {
      for (int j = 0; j < args.length; j++) {
        if (words[i].equals(args[j])) queues[j].enqueue(i);
      }
    }
    // repeatedly find smallest interval starting at position of queues[0]
    boolean done = false;
    int bestlo = -1, besthi = words.length;
    while (!queues[0].isEmpty()) {
      int lo = queues[0].dequeue();
      int hi = lo;
      for (int j = 1; j < args.length; j++) {
        while (!queues[j].isEmpty() && queues[j].peek() <= hi) {
          queues[j].dequeue();
        }
        if (queues[j].isEmpty())  { done = true; break; }
        else hi = queues[j].peek();
      }
      if (!done && hi - lo < besthi - bestlo) {
        besthi = hi;
        bestlo = lo;
      }
    }
    if (bestlo >= 0) {
      for (int i = bestlo; i <= besthi; i++)
        StdOut.print(words[i] + " ");
      StdOut.println();
    }
    else
      StdOut.println("NOT FOUND");
  }
}
 |