1. 程式人生 > >多執行緒demo-主執行緒和子執行緒交替執行

多執行緒demo-主執行緒和子執行緒交替執行

package Thread;

/**

 * 實現效果:主執行緒執行10次,子執行緒執行100次,主執行緒和子執行緒迴圈交替執行50次

    主要演示synchronized和wait、notify的使用

 * 適用場景:只有兩個執行緒的情況,呵呵

 */
public class ThreadAltermate {
public static void main(String[] args) {
final Business business = new Business();
new Thread(){
public void run() {
for(int i=0; i<50; i++){
business.son();
}
}
}.start();
for(int i=0; i<50; i++){
business.parent();
}

}
}


/**
 * 1、synchronized在這裡的鎖是Business物件,作用:parent和son函式互斥
 * 2、flag和wait,作用是:讓parent和son完成各自函式內的程式碼再切換執行
 */
class Business{
boolean flag = true;
public synchronized void parent(){ 
while(flag){
try {
System.out.println("-----parent wait----");
this.wait();
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
for(int i=0; i<10; i++){
System.out.println("-----parent run----" + i);
}
flag = true;
this.notify();
}

public synchronized void son(){
while(!flag){
try {
System.out.println("-----son wait----");
this.wait();
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
for(int i=0; i<100; i++){
System.out.println("-----son run----" + i);
}
flag = false;
this.notify();
}
}