最近一直整并发这块东西,顺便写点Java并发的例子,给大家做个分享,也强化下自己记忆。
每天起早贪黑的上班,父母每天也要上班,话说今天定了个饭店,一家人一起吃个饭,通知大家下班去饭店集合。假设:3个人在不同的地方上班,必须等到3个人到场才能吃饭,用程序如何实现呢?
作为一名资深屌丝程序猿,开始写代码实现:
- package com.zhy.concurrency.latch;
-
- public class Test1
- {
-
-
-
- public static void fatherToRes()
- {
- System.out.println("爸爸步行去饭店需要3小时。");
- }
-
-
-
-
- public static void motherToRes()
- {
- System.out.println("妈妈挤公交去饭店需要2小时。");
- }
-
-
-
-
- public static void meToRes()
- {
- System.out.println("我乘地铁去饭店需要1小时。");
- }
-
-
-
-
- public static void togetherToEat()
- {
- System.out.println("一家人到齐了,开始吃饭");
- }
-
- public static void main(String[] args)
- {
- fatherToRes();
- motherToRes();
- meToRes();
- togetherToEat();
- }
- }
输出结果:
- 爸爸步行去饭店需要3小时。
- 妈妈挤公交去饭店需要2小时。
- 我乘地铁去饭店需要1小时。
- 一家人到齐了,开始吃饭
看似实现了,但是吃个饭,光汇合花了6个小时,第一个到的等了3个小时;话说回来,大家下班同时往饭店聚集,怎么也是个并行的过程,于是不用我说,大家肯定都行想到使用多线程,于是作为一名资深屌丝程序猿,开始改造我们的代码:
- public static void main(String[] args)
- {
- new Thread()
- {
- public void run()
- {
- fatherToRes();
- };
- }.start();
- new Thread()
- {
- public void run()
- {
- motherToRes();
- };
- }.start();
- new Thread()
- {
- public void run()
- {
- meToRes();
- };
- }.start();
-
- togetherToEat();
- }
直接启动了3个线程,但是运行结果貌似也不对:
- 一家人到齐了,开始吃饭
- 我乘地铁去饭店需要1小时。
- 妈妈挤公交去饭店需要2小时。
- 爸爸步行去饭店需要3小时。
一个都没到,就开始吃饭了,,,(为了更好的显示,我在每个方法中休息了一段时间,模拟到达饭店的过程)。还是不行,那就继续完善:
- private static volatile int i = 3;
-
- public static void main(String[] args)
- {
-
- new Thread()
- {
- public void run()
- {
- fatherToRes();
- i--;
- };
- }.start();
- new Thread()
- {
- public void run()
- {
- motherToRes();
- i--;
- };
- }.start();
- new Thread()
- {
- public void run()
- {
- meToRes();
- i--;
- %