我可以使用CountDownLatch控制线程执行的顺序吗?

时间:2013-06-13 17:30:40

标签: java multithreading countdownlatch

我有任务要做。我必须创建4个服务A,B,C和D.每个服务都应该有自己的线程。服务应该只在启动它所依赖的所有服务之后启动 只有在停止依赖它的所有服务之后,服务才会停止。应尽可能并行启动和停止服务。 服务B和C取决于服务A. 服务D取决于服务B. 要启动服务D,需要启动服务A和B. 要停止服务A,必须先停止服务B,D和C. A开始后,服务B和C可以立即并行启动。相反,它们可以并行停止。

您有什么建议如何解决这个问题?我试着在过去的10天里做这个...我可以用CountDownLatch或其他东西吗?任何建议都很明显。

1 个答案:

答案 0 :(得分:2)

您可以使用阻塞队列在工作线程和主线程之间进行通信,例如

public static void main(String[] args) {
    BlockingQueue<String> queue = new LinkedBlockingQueue<>();
    Thread t1 = new Thread(new A(queue));
    t1.start();
    if(queue.take().equals("Started A")) {
        Thread t2 = new Thread(new B(queue));
        t2.start();
        Thread t3 = new Thread(new C());
        t3.start();
    }
    if(queue.take().equals("Started B")) {
        Thread t4 = new Thread(new D());
        t4.start();
    }
}

public class A implements Runnable {
    private BlockingQueue queue;
    private volatile boolean isCancelled = false;

    public A(BlockingQueue queue) {
        this.queue = queue;
    }

    public void cancel() {
        isCancelled = true;
    }

    public void run() {
        // initialization code
        queue.offer("Started A");
        while(!isCancelled) {
            ...
        }
        queue.offer("Stopped A");
    }
}

使用类似的逻辑来停止线程(在服务中使用while(!isCancelled)循环,并在服务停止时让主线程调用cancel()。< / p>