具有同步的简单多线程测试。我想如果它是“同步的”,其他线程会等待。我错过了什么?
public class MultithreadingCounter implements Runnable {
static int count = 0;
public static void main(String[] args) {
int numThreads = 4;
Thread[] threads = new Thread[numThreads];
for (int i = 0; i < numThreads; i++)
threads[i] = new Thread(new MultithreadingCounter(), i + "");
for (int i = 0; i < numThreads; i++)
threads[i].start();
for (int i = 0; i < numThreads; i++)
try {
threads[i].join();
} catch (Exception e) {
e.printStackTrace();
}
}
@Override
public void run() {
increment();
}
public synchronized void increment(){
System.out.print(Thread.currentThread().getName() + ": " + count + "\t");
count++; // if I put this first or increment it directly in the print line, it works fine.
}
}
我认为这会显示如下:
0: 1 2: 0 1: 2 3: 3
但它的实际输出:
0: 0 2: 0 1: 0 3: 3
和其他类似的变化。它应该按顺序显示每个增量(即0,1,2,3)......
答案 0 :(得分:8)
您的synchronized
关键字位于实例方法上。没有两个线程可以同时执行此某个线程对象的 。但是,这不是你的代码所做的。每个线程在自己的实例上执行该方法。同步不会达到你想要的目的。如果它是static
方法,它会。
答案 1 :(得分:1)
您的increment
方法应为static
:
public static synchronized void increment() {
现在,每个对象都在该单个实例上进行同步,但由于count
是一个静态变量,因此您应该在Class
对象本身上进行同步。
答案 2 :(得分:0)
当在方法之前使用synchronized关键字时,它确保该方法一次只能由一个线程执行。它不能确保其他对象的线程安全。