多執行緒 -- 初學簡單例子

TheSnowBoy_2發表於2016-07-01

多執行緒初學

  • 該模式是生產者--消費者模式。
  • 規定了兩個任務內部類,Consumer 和Producer .
  • Producer負責給 num 加1,Consumer 負責給num 減 1。
  • run()方法只是負責任務,不負責啟動。
  • 通過 new Thread(new Producer()) 將任務分配給執行緒。通過start()方法開啟執行緒。
  • Main 執行緒中有 執行緒Consumer 的例項consumer ,以及Producer 的例項 producer,所以可以說看的到另外兩個執行緒,所以可以對其他執行緒進行一定程度的操作。
  • consumer ,producer不知道Main執行緒,彼此也不知道,所以可以通過Main執行緒作為中介,使之發生聯絡。比如說,在main中,將producer傳給consumer(一般不建議這麼做。),可以使用監聽者模式
  • synchronized注意同步,為了正確共享資源。


程式碼如下:

package tree.test.testThread;

import java.util.Observable;
import java.util.Observer;

public class TestConsumer {

	public static int num = 0;
	public final static int CONSUMER_SLEEP_TIME = 50;
	public final static int PRODUCER_SLEEP_TIME = 40;

	@SuppressWarnings("deprecation")
	public static void main(String[] args) {

		System.out.println("started `````");
		Thread consumer = new Thread(new Consumer());
		Thread producer = new Thread(new Producer());
		consumer.start();
		producer.start();
		try {
			Thread.sleep(2000);
			Thread.yield();
		} catch (InterruptedException e) {
			e.printStackTrace();
		}
		System.out.println("ended `````");
		//TODO main thread tell others to stop 
		consumer.stop();
		producer.stop();

	}

	static class Producer implements Runnable,Observer {

		public void run() {
			synchronized (this) {
				while (true) {

					num++;
					System.out.println("after produce , num = " + num);
					try {
						Thread.sleep(PRODUCER_SLEEP_TIME);
					} catch (InterruptedException e) {
						e.printStackTrace();
					}
				}
			}

		}

		public void update(Observable o, Object arg) {
			//TODO how to use the pattern observer to control the thread end time .
		}

	}

	static class Consumer implements Runnable {

		public void run() {
			synchronized (this) {
				while (true) {
					try {

						if (num > 0) {
							num--;
							System.out.println("after consume , num = " + num);
						} else {
							System.out.println("nothing in the pool !!");
						}
						Thread.sleep(CONSUMER_SLEEP_TIME);

					} catch (InterruptedException e) {
						e.printStackTrace();
					}
				}
			}

		}

	}

}


相關文章