我正在学习编写线程安全的程序以及如何评估不是线程安全的代码。
如果一个类在被多个线程执行时能够正确运行,那么它就被认为是线程安全的。
我的 Counter.java 不是线程安全的,但是所有 3 个线程的输出都按预期从 0-9 打印。
谁能解释为什么?以及线程安全如何工作?
public class Counter {
private int count = 0;
public void increment() {
count++;
}
public void decrement() {
count--;
}
public void print() {
System.out.println(count);
}
}
public class CountThread extends Thread {
private Counter counter = new Counter();
public CountThread(String name) {
super(name);
}
public void run() {
for (int i=0; i<10; i++) {
System.out.print("Thread " + getName() + " ");
counter.print();
counter.increment();
}
}
}
public class CounterMain {
public static void main(String[] args) {
CountThread threadOne = new CountThread("1");
CountThread threadTwo = new CountThread("2");
CountThread threadThree = new CountThread("3");
threadOne.start();
threadTwo.start();
threadThree.start();
}
}