public class ThreadDemo1 {
private static int count = 0;
public static void main(String[] args) throws InterruptedException {
Object locker1 = new Object();
Object locker2 = new Object();
Thread t1 = new Thread(() -> {
for (int i = 0; i < 50000; i++) {
synchronized(locker1) {
count++;
}
}
});
Thread t2 = new Thread(() -> {
for (int i = 0; i < 50000; i++) {
synchronized(locker2){
count++;
}
}
});
t1.start();
t2.start();
t1.join();
t2.join();
System.out.println(count);
}
}
执行结果:
我们可以看到,结果和我们预期的10_0000不同,所以,还是存在线程安全问题。
2、一个线程加锁,一个线程不加锁
如下代码,和上面代码差不多,做一些小小的改动
java复制代码
public class ThreadDemo1 {
private static int count = 0;
public static void main(String[] args) throws InterruptedException {
Object locker1 = new Object();
// Object locker2 = new Object();
Thread t1 = new Thread(() -> {
for (int i = 0; i < 50000; i++) {
synchronized(locker1) {
count++;
}
}
});
Thread t2 = new Thread(() -> {
for (int i = 0; i < 50000; i++) {
count++;
}
});
t1.start();
t2.start();
t1.join();
t2.join();
System.out.println(count);
}
}
执行结果:
可以看到,和我们预期的结果不同,所以还是存在线程安全问题。
3、针对加锁操作的一些混淆理解
(1)多个线程调用同一个类的方法,对其方法里面的变量加锁
还是之前的代码模板,不过做了一些改动,把count放到Test t 对象中,在这里面count++,并且对其加锁,加锁对象是 this,其他线程再来调用Test中的方法。
java复制代码
class Test {
public int count = 0;
public void add() {
synchronized(this) {
count++;
}
}
}
public class ThreadDemo2 {
public static void main(String[] args) throws InterruptedException {
Test t = new Test();
Thread t1 = new Thread(() -> {
for (int i = 0; i < 50000; i++) {
t.add();
}
});
Thread t2 = new Thread(() -> {
for (int i = 0; i < 50000; i++) {
t.add();
}
});
t1.start();
t2.start();
t1.join();
t2.join();
System.out.println(t.count);
}
}
class Test {
public int count = 0;
public void add() {
synchronized(Test.class) {
count++;
}
}
}
public class ThreadDemo2 {
public static void main(String[] args) throws InterruptedException {
Test t = new Test();
Thread t1 = new Thread(() -> {
for (int i = 0; i < 50000; i++) {
t.add();
}
});
Thread t2 = new Thread(() -> {
for (int i = 0; i < 50000; i++) {
t.add();
}
});
t1.start();
t2.start();
t1.join();
t2.join();
System.out.println(t.count);
}
}