2

在运动中

在你有时装和缝纫机的地方制作一个程序,让操作员输入数据宽度和高度,通知缝纫机以执行他们的工作。

接收数据并Operator处理并通知机器。 Machine接收数据并完成该过程。

但是,当我运行时,Maquina没有通知线程并且机器Operator处于无限循环接收数据。

public class Operator extends Thread {

    Scanner in = new Scanner(System.in);
    int altura, largura;
    public void run() {
        while(true) {
            synchronized (this) {
                System.out.print("Altura: ");
                altura = in.nextInt();
                System.out.print("Largura: ");
                largura = in.nextInt();
                notify();
            }
        }
    }

    public String getForma() {
        return "Forro de mesa : " + (altura * largura);
    }
}

public class Maquina extends Thread{

    private Operator c;

    public Maquina(Operator c) {
        this.c = c;
    }


    public void run() {
        while(true) {
            synchronized (c) {
                try {

                    System.out.println("Waiting shape...");
                    c.wait();

                    System.out.println("init drawn...");
                    Thread.currentThread().sleep(3000);

                    System.out.println("drawing...");
                    Thread.currentThread().sleep(3000);

                    System.out.println(c.getForma() + ", finalized");

                } catch (InterruptedException e) {
                    e.printStackTrace();
                }
            }
        }
    }
}
4

1 回答 1

1

在运行您的代码时,问题似乎"Waiting shape..."是永远无法到达该消息。这让我感到惊讶,但似乎while (true) { synchronized(c)永远不会让他们Maquina进入synchronized街区。

在方法的前面添加一个小睡眠可以Operator.run()解决问题。它为Maquina获得锁和进入提供了时间wait()

while (true) {
    try {
        Thread.sleep(100);
    } catch (InterruptedException e) {
        Thread.currentThread().interrupt();
        return;
    }
    synchronized (this) {
        System.out.print("Altura: ");
        altura = in.nextInt();
        System.out.print("Largura: ");
        largura = in.nextInt();
        notify();
    }
}
于 2013-07-30T14:35:01.577 回答