#執行緒相關知識
1.建立執行緒的兩種方式
- 繼承Thread類。
- 實現Runnable介面。(這種方式較為常用)
2.實現Runnable介面的好處
- 將執行緒的任務從執行緒的子類中分離出來,進行了單獨的封裝。按照物件導向的思想將任務的封裝成物件。
- 避免了java單繼承的侷限性。
#多執行緒併發安全之賣票
- 程式碼
/**
* Created by yuandl on 2016-09-30.
*/
public class RunnableTest implements Runnable {
private int tick = 60;
@Override
public void run() {
while (true) {
if (tick == 0) {
break;
}
try {
Thread.sleep(10);
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println(Thread.currentThread().getName() + "=========" + tick--);
}
}
public static void main(String[] args) {
RunnableTest runnableTest=new RunnableTest();
new Thread(runnableTest).start();
new Thread(runnableTest).start();
}
}複製程式碼
列印結果
Thread-1=========11
Thread-1=========10
Thread-0=========9
Thread-1=========8
Thread-0=========7
Thread-0=========6
Thread-1=========5
Thread-0=========4
Thread-1=========3
Thread-0=========2
Thread-1=========1
Thread-0=========0
Thread-0=========-1
Thread-0=========-2
Thread-0=========-3發現問題,賣票竟然出現了負數,這肯定是有問題的
- 執行緒安全問題產生的原因:
- 多個執行緒在操作共享的資料。
- 操作共享資料的執行緒程式碼有多條。
- 當一個執行緒在執行操作共享資料的多條程式碼過程中,其他執行緒參與了運算。就會導致執行緒安全問題的產生。
- 解決思路:
- 就是將多條操作共享資料的執行緒程式碼封裝起來,當有執行緒在執行這些程式碼的時候,其他執行緒時不可以參與運算的。必須要當前執行緒把這些程式碼都執行完畢後,其他執行緒才可以參與運算。在java中,用同步程式碼塊就可以解決這個問題。
同步程式碼塊的格式
synchronized(物件)
{
需要被同步的程式碼 ;
}同步的好處:解決了執行緒的安全問題。
- 同步的弊端:相對降低了效率,因為同步外的執行緒的都會判斷同步鎖。
同步的前提:同步中必須有多個執行緒並使用同一個鎖。
#最終執行緒安全同步的程式碼
/**
* Created by yuandl on 2016-09-30.
*/
public class RunnableTest implements Runnable {
private int tick = 60;
@Override
public void run() {
while (true) {
synchronized (this) {
if (tick == 0) {
break;
}
try {
Thread.sleep(10);
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println(Thread.currentThread().getName() + "=========" + tick--);
}
}
}
public static void main(String[] args) {
RunnableTest runnableTest=new RunnableTest();
new Thread(runnableTest).start();
new Thread(runnableTest).start();
}
}複製程式碼
- 執行結果
Thread-1=========10
Thread-1=========9
Thread-1=========8
Thread-1=========7
Thread-1=========6
Thread-1=========5
Thread-1=========4
Thread-1=========3
Thread-1=========2
Thread-1=========1
Process finished with exit code 0
完美解決以上問題