線程相關(guān)知識
1.創(chuàng)建線程的兩種方式
- 繼承Thread類漓踢。
- 實現(xiàn)Runnable接口提揍。(這種方式較為常用)
2.實現(xiàn)Runnable接口的好處
- 將線程的任務(wù)從線程的子類中分離出來,進行了單獨的封裝。按照面向?qū)ο蟮乃枷雽⑷蝿?wù)的封裝成對象柑蛇。
- 避免了java單繼承的局限性柠横。
多線程并發(fā)安全之賣票
- 代碼
/**
* 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();
}
}
- 打印結(jié)果
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
- 發(fā)現(xiàn)問題撼短,賣票竟然出現(xiàn)了負數(shù)筛严,這肯定是有問題的
- 線程安全問題產(chǎn)生的原因:
- 多個線程在操作共享的數(shù)據(jù)托修。
- 操作共享數(shù)據(jù)的線程代碼有多條忘巧。
- 當一個線程在執(zhí)行操作共享數(shù)據(jù)的多條代碼過程中,其他線程參與了運算睦刃。就會導(dǎo)致線程安全問題的產(chǎn)生砚嘴。
- 解決思路:
- 就是將多條操作共享數(shù)據(jù)的線程代碼封裝起來,當有線程在執(zhí)行這些代碼的時候涩拙,其他線程時不可以參與運算的际长。必須要當前線程把這些代碼都執(zhí)行完畢后,其他線程才可以參與運算兴泥。在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();
}
}
- 執(zhí)行結(jié)果
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
完美解決以上問題