今天看到一个讲述同步问题的文章,但是篇中举例太过复杂,看起来比较费力,因为我们不仅要理解同步问题,还要不停思考他的例子的逻辑,我感觉例子的逻辑思考完全是浪费时间,我们完全可以设计最最简单的例子让问题一目了然。于是我尝试写了下面最简单的线程同步的例子:
先定义一个线程类:
view plaincopy to clipboardprint?01.public class MyTestThread extends Thread{ 02. 03. public void run() { 04. 05. System.out.println(Thread.currentThread().getName()+" come in..."); 06. try { 07. sleep(1000);//在这一秒的等待中,第二个线程就已经进来了 08. } catch (InterruptedException e) { 09. e.printStackTrace(); 10. } 11. System.out.println(Thread.currentThread().getName()+" left"); 12. 13. } 14.} public class MyTestThread extends Thread{ public void run() { System.out.println(Thread.currentThread().getName()+" come in..."); try { sleep(1000);//在这一秒的等待中,第二个线程就已经进来了 } catch (InterruptedException e) { e.printStackTrace(); } System.out.println(Thread.currentThread().getName()+" left");}
}定义入口类:
view plaincopy to clipboardprint?
01.public class Entry_1 { 02. 03. public static void main(String[] args) { 04. 05. MyTestThread a = new MyTestThread();//use the same instance 06. Thread t1 = new Thread(a, "A"); 07. Thread t2 = new Thread(a, "B"); 08. 09. t1.start(); 10. t2.start(); 11. } 12.} public class Entry_1 {public static void main(String[] args) {
MyTestThread a = new MyTestThread();//use the same instance Thread t1 = new Thread(a, "A"); Thread t2 = new Thread(a, "B"); t1.start(); t2.start(); }}输出结果:A come in...
B come in...B leftA leftNote: 不同的机器可能输入会有差别,但是一定可以从结果看出两个线程调用交叉的地方,即A线程还没有退出方法的运行,B线程已经开始运行了。