测试用volatile修饰一个对象,该对象里的成员变量是否能受到volatile影响。
按照之前的理论推测: volatile修饰一个对象,其应该只能保证引用地址的可见性。 对象的具体内容的修改,应该无法保证其可见性。
先说结论:以上的推测是错的, volatile修饰一个对象时,也可以保证该对象的成员变量(未用volatile修饰)的可见性。但是,不建议使用,这种写法在sonar代码扫描中也会报警告:Non-primitive fields should not be "volatile"。意思就是非基本字段不应该用volatile修饰。
测试代码如下:
一、控制单一变量来测试, 首先,对象跟对象的成员变量都不加volatile修饰
@Data
public class VolatileObj {
private int flag = 0;
}
public class TestVolatile {
private VolatileObj volatileObj = new VolatileObj();
private volatile boolean stop = false;
@Test
public void test() throws InterruptedException {
System.out.println("程序开始");
Thread thread1 = new Thread(
() -> {
int flag ;
while ((flag = volatileObj.getFlag()) < 10000 && !stop){
volatileObj.setFlag( ++ flag);
System.out.println("flag增加为:"+ flag + "此时stop="+ stop);
}
}
);
thread1.start();
Thread thread2 = new Thread(
() -> {
while (true){
if (volatileObj.getFlag() >= 5000){
System.out.println("修改stop值");
stop = true;
break;
}
}
System.out.println("修改后的stop值:" + stop);
}
);
thread2.start();
thread2.join();
}
}
运行结果如下:程序阻塞住,因为thread2 线程没有获取到最新的flag值,导致其死循环
...
flag增加为:9997此时stop=false
flag增加为:9998此时stop=false
flag增加为:9999此时stop=false
flag增加为:10000此时stop=false
二、对象不加volatile修饰,对象的成员变量添加volatile修饰
@Data
public class VolatileObj {
private volatile int flag = 0;
}
运行结果:程序正常结束。 thread2 线程发现flag的变化, 进而修改stop标识
...
flag增加为:8292此时stop=false
flag增加为:8293此时stop=false
flag增加为:8294此时stop=false
修改stop值
flag增加为:8295此时stop=false
修改后的stop值:true
三、 对象加volatile修饰,对象的成员变量不加volatile修饰
public class TestVolatile {
private volatile VolatileObj volatileObj = new VolatileObj();
private volatile boolean stop = false;
@Test
public void test() throws InterruptedException {
System.out.println("程序开始");
Thread thread1 = new Thread(
() -> {
int flag ;
while ((flag = volatileObj.getFlag()) < 10000 && !stop){
volatileObj.setFlag( ++ flag);
System.out.println("flag增加为:"+ flag + "此时stop="+ stop);
}
}
);
thread1.start();
Thread thread2 = new Thread(
() -> {
while (true){
if (volatileObj.getFlag() >= 5000){
System.out.println("修改stop值");
stop = true;
break;
}
}
System.out.println("修改后的stop值:" + stop);
}
);
thread2.start();
thread2.join();
}
}
运行结果: 程序正常结束, thread2 线程发现flag的变化,进而修改stop标识
...
flag增加为:5226此时stop=false
flag增加为:5227此时stop=false
flag增加为:5228此时stop=false
flag增加为:5229此时stop=false
修改stop值
修改后的stop值:true
flag增加为:5230此时stop=false