this逃逸是指在构造函数返回之前其他线程就持有该对象的引用. 调用尚未构造完全的对象的方法可能引发令人疑惑的错误, 因此应该避免this逃逸的发生.
this逃逸经常发生在构造函数中启动线程或注册监听器时, 如:
1
2
3
4
5
6
7
8
9
10
11
12
13
|
public class ThisEscape {
public ThisEscape() {
new Thread( new EscapeRunnable()).start();
// ...
}
private class EscapeRunnable implements Runnable {
@Override
public void run() {
// 通过ThisEscape.this就可以引用外围类对象, 但是此时外围类对象可能还没有构造完成, 即发生了外围类的this引用的逃逸
}
}
}
|
解决办法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
public class ThisEscape {
private Thread t;
public ThisEscape() {
t = new Thread( new EscapeRunnable());
// ...
}
public void init() {
t.start();
}
private class EscapeRunnable implements Runnable {
@Override
public void run() {
// 通过ThisEscape.this就可以引用外围类对象, 此时可以保证外围类对象已经构造完成
}
}
}
|
以上就是小编本次整理的全部内容,感谢你对服务器之家的支持。