在java5中新增加了java.util.Queue接口,用以支持队列的常见操作。该接口扩展了java.util.Collection接口。

Queue使用时要尽量避免Collection的add()和remove()方法,而是要使用offer()来加入元素,使用poll()来获取并移出元素。它们的优
 点是通过返回值可以判断成功与否,add()和remove()方法在失败的时候会抛出异常。 如果要使用前端而不移出该元素,使用
 element()或者peek()方法。
自己写的例子:

package queue;

import java.util.Queue;
import java.util.Timer;
import java.util.TimerTask;
import java.util.concurrent.ConcurrentLinkedQueue;

public class test {
 private Queue<String> queue = new ConcurrentLinkedQueue<String>();

 public static void main(String[] args) throws Exception {
  test t = new test();
  for(int i=0;i<100;i++){
   t.insert("insert"+i);
  }
  t.ini();
  
 }
 public void ini() {
  Timer timer = new Timer();
  // sleep 1min, internal 1hour
  timer.schedule(new TimerDo(), 1 * 1000L, 5 * 1000L); // 一秒后开始 没5秒执行一次
                // run中的内容
 }
 public boolean insert(String str) throws Exception {
  System.out.println(str);
  queue.offer(str);
  if (queue.size() > 20000) {
   // do some thing
  }
  return true;
 }
 public class TimerDo extends TimerTask {
  @Override
  public void run() {
   try {
    String str = null;
    while (true) {
     if (queue.isEmpty()) {
      try {
       Thread.sleep(1000L);
      } catch (InterruptedException e) {
       e.printStackTrace();
      }
     } else {
      str = queue.poll();
      System.out.println("cosume=" + str);
     }
    }
   } catch (Exception e) {
    // do some thing
   }
  }
 }
}