什么是内存泄漏?
通俗地讲,就是程序在向系统申请使用内存后,在使用完以后并没有释放内存,而导致该内存一直被占用。直到程序结束,我们也无法再使用这边内存。
这里说一下遇到的一个由static关键字引起的内存泄漏问题。
通过内存泄漏检测工具,我发现我前几天写的代码中,有某一个内存泄漏发生了:某工具类一直持有某个Activity对象。
我翻了一下代码,发现是这样的:
我有某个ScreenUtil工具类,它的构造函数是这样的:
private ScreenUtil(Context context) {
this.context = context;
**********//其余代码省略
}
对外提供实例的方法:
private static ScreenUtil instance;
public static ScreenUtil getInstance(Context context) {
if (instance == null) {
instance = new ScreenUtil(context);
}
return instance;
}
也就是说,对外提供的是一个statis类型的实例,它是在我的一个自定义控件中使用的,在这个自定义控件是在一个Fragment中被使用。由于没有在Fragment被销毁的时候,将这块内存释放掉,所以产生了内存泄漏的问题。
这个名为ScreenUtil 的对象一直持有着这个context对象。
解决方法:
在ScreenUtil 中,再对外提供一个方法:
public static void destroyInstance(){
if(instance != null){
instance = null;
}
}
在我的自定义控件中,也写一个方法,用于销毁ScreenUtil 实例:
public void destroyContext(){
ScreenUtil.destroyInstance();
}
最后在Fragment的onDestroy方法中,调用就好了:
@Override
public void onDestroy() {
super.onDestroy();
*******.destroyContext();
}
来源:CSDN
作者:ckwccc
链接:https://blog.csdn.net/ckwccc/article/details/78903192