这是我的课

public class ThreadTest {
    public static void main(String[] args) {

        ThreadTest threadTest = new ThreadTest();
        threadTest.m1();
        synchronized (threadTest) {
            threadTest.m2();
        }
        System.out.println("End of main thread");
    }

    public void m1() {
        Thread myThread = new Thread(new Runnable() {

            @Override
            public void run() {
                for (int i = 0; i < 100; i++) {
                    System.out.println(Thread.currentThread().getName() + " : " + i);
                }
                System.out.println("end of mythread");
            }
        });
        myThread.start();
    }

    public void m2() {
        for (int i = 0; i < 100; i++) {
            System.out.println(Thread.currentThread().getName() + " : " + i);
        }
    }

}


尽管我将代码放在synchronized块中,但它似乎无法正常工作,并且两个for循环都并行运行。如何在带有同步块的多线程环境中以线程安全的方式运行这些循环。我使我的代码给错了吗?

谢谢!

最佳答案

同步块可防止其他线程在同一对象上输入相同或另一个同步块。您在这里只有一个同步块,只有一个线程进入它。因此,所有其他线程都可以执行所需的任何操作。

09-07 08:05