Thread Java Tutorial

import java.util.concurrent.BlockingQueue;
import java.util.concurrent.LinkedBlockingQueue;
class PrepareProduction implements Runnable {
  BlockingQueue queue;
  PrepareProduction(BlockingQueue q) {
    queue = q;
  }
  public void run() {
    String thisLine;
    try {
      queue.put("1");
      queue.put("done");
    } catch (Exception e) {
      e.printStackTrace();
    }
  }
}
class DoProduction implements Runnable {
  private final BlockingQueue queue;
  DoProduction(BlockingQueue q) {
    queue = q;
  }
  public void run() {
    try {
      String value = queue.take();
      while (!value.equals("done")) {
        value = queue.take();
        System.out.println(value);
      }
    } catch (Exception e) {
      System.out.println(Thread.currentThread().getName() + " "
          + e.getMessage());
    }
  }
}
public class Main {
  public static void main(String[] args) throws Exception {
    BlockingQueue q = new LinkedBlockingQueue();
    Thread p1 = new Thread(new PrepareProduction(q));
    Thread c1 = new Thread(new DoProduction(q));
    p1.start();
    c1.start();
    p1.join();
    c1.join();
  }
}