为什么该程序总是打印1

时间:2018-12-05 13:49:10

标签: java

我已经多次测试以下代码,并且始终打印1,是否正确?为什么?

public class TestThread {
    static int a = 0;
    public static void main(String[] args) {
         Thread thread = new Thread() {
            @Override
            public void run() {
                System.out.println(a);
            }
        };
        thread.start();
        a = 1;
   }
}

2 个答案:

答案 0 :(得分:1)

这是因为应用程序不等待线程结束以继续执行。似乎在大多数时候

  

a = 1

比要执行的线程快。这就是为什么在某些情况下等待线程结束很重要。

如果将断点设置为a = 1行,则会看到打印0。

现在尝试:

public class TestThread {
    static int a = 0;
    public static void main(String[] args) throws InterruptedException {
         Thread thread = new Thread() {
            @Override
            public void run() {
                System.out.println(a);
            }
        };
        thread.start();
        thread.join();
        a = 1;
   }
}

使用join()方法,它将等待线程完成。

您还可以使用静态Thread.sleep函数,但是绝对不建议您解决此问题,因为您不确定如何完成线程需要花费多长时间。

thread.start();
Thread.sleep(100);
a = 1;

答案 1 :(得分:0)

启动打印该值的线程需要花费一些时间,因此'main'线程在到达system.out之前将a设置为1。如果在a := 1;之前添加一点延迟,则在system.out之前到达a := 1;,然后打印0:

    thread.start();
    try {
        Thread.sleep(1000);
    } catch (InterruptedException e) { }
    a = 1;