JAVA 建立線程的幾種方式

Java 建立線程的方式一共有 四種方式:html

 

1.繼承 Thread 類java

2. 實現 Runnable 接口ide

3. ExecuteService、Callable<Class>、Future 有返回值線程線程

4. 線程池方式(http://www.javashuo.com/article/p-zpxgejsk-a.htmlcode

 

1、繼承 Thread 類,建立線程類htm

(1)定義 Thread 類的子類,並重寫該類的 run 方法,該run方法的方法體就表明了線程要完成的任務。所以把 run() 方法稱爲執行體。對象

(2)建立 Thread 子類的實例,即建立了線程對象。blog

(3)調用線程對象的 start() 方法來啓動該線程。繼承

package jichu_0;

public class ForWays_Thread extends Thread {
	int i = 0;

	// 重寫run方法,run方法的方法體就是現場執行體
	public void run() {
		for (; i < 100; i++) {
			System.out.println(getName() + "  " + i);
		}
	}

	public static void main(String[] args) {
		for (int i = 0; i < 100; i++) {
			System.out.println(Thread.currentThread().getName() + "  : " + i);
			if (i == 20) {
				new ForWays_Thread().start();
				new ForWays_Thread().start();
			}
		}
	}

}

Thread.currentThread()方法返回當前正在執行的線程對象。GetName()方法返回調用該方法的線程的名字。

2、經過 Runnable 接口,建立線程類接口

(1)定義 runnable 接口的實現類,並重寫該接口的 run() 方法,該 run() 方法的方法體一樣是該線程的線程執行體。

(2)建立 Runnable 實現類的實例,並依此實例做爲 Thread 的 target 來建立 Thread 對象,該 Thread 對象纔是真正的線程對象。

(3)調用線程對象的 start() 方法來啓動該線程。
 

package jichu_0;

public class ForWays_Runnable implements Runnable {
	private int i;

	public void run() {
		for (i = 0; i < 100; i++) {
			System.out.println(Thread.currentThread().getName() + " " + i);
		}
	}

	public static void main(String[] args) {
		for (int i = 0; i < 100; i++) {
			System.out.println(Thread.currentThread().getName() + " " + i);
			if (i == 20) {
				ForWays_Runnable rtt = new ForWays_Runnable();
				new Thread(rtt, "新線程1").start();
				new Thread(rtt, "新線程2").start();
			}
		}
	}
}

3、經過 Callable 和 Future 建立線程

(1)建立Callable接口的實現類,並實現call()方法,該call()方法將做爲線程執行體,而且有返回值。

(2)建立Callable實現類的實例,使用FutureTask類來包裝Callable對象,該FutureTask對象封裝了該Callable對象的call()方法的返回值。

(3)使用FutureTask對象做爲Thread對象的target建立並啓動新線程。

(4)調用FutureTask對象的get()方法來得到子線程執行結束後的返回值
 

public class ForWays_Callable implements Callable<Integer>{
	@Override
	public Integer call() throws Exception{	
		int i = 0;
		for(;i<100;i++){		
			System.out.println(Thread.currentThread().getName()+" "+i);
		}
		return i;
	}
	
	public static void main(String[] args){
		ForWays_Callable ctt = new ForWays_Callable();
		FutureTask<Integer> ft = new FutureTask<>(ctt);
		
		for(int i = 0;i < 100;i++){		
			System.out.println(Thread.currentThread().getName()+" 的循環變量i的值"+i);
			if(i==20){			
				new Thread(ft,"有返回值的線程").start();
			}
		}
		
		try{		
			System.out.println("子線程的返回值:"+ft.get());
		} catch (InterruptedException e){	
			e.printStackTrace();
		} catch (ExecutionException e)
		{
			e.printStackTrace();
		}

	}

}

 

call()方法能夠有返回值

call()方法能夠聲明拋出異常

Java5提供了Future接口來表明Callable接口裏call()方法的返回值,而且爲Future接口提供了一個實現類FutureTask,這個實現類既實現了Future接口,還實現了Runnable接口

相關文章
相關標籤/搜索