我在android studio中的AsyncTaskLoader周围收到以下警告:
$('body').on('focusout', '#textbox', function(e) {
if (e.which == 9) {
e.preventDefault();
// do your code
}
console.log( e.which ); //0
});
静态字段会泄漏上下文。非静态内部类具有对其外部类的隐式引用。如果该外部类例如是片段或活动,则此引用意味着长时间运行的处理程序/加载器/任务将保留对活动的引用,从而阻止其收集垃圾。同样,对来自这些较长时间运行的实例的活动和片段的直接字段引用可能会导致泄漏。 ViewModel类永远不应该指向视图或非应用程序上下文。“
以下是我的应用程序中的代码段:
"This Loader class should be static or leaks might occur (anonymous android.support.v4.content.AsyncTaskLoader) less... (Ctrl+F1)
答案 0 :(得分:1)
解决方案是创建另一个类并使其静态。
然后从新的Created Static类中扩展AsynctaskLoader。 Ex - 公共静态类ExtendsAysncTaskLoader扩展了AsynctaskLoader
创建成员变量 - Cursor
使用参数(Context context,Cursor)为类创建构造函数
使用super方法调用父类的构造函数并传递上下文。
将成员变量设置为等于构造函数。
覆盖onStartLoading和LoadInbackground并按照todo中的说明实现它(但一定要使用在新类中创建的成员变量),这里是新创建的静态类。
在onCreateLoader方法中 - 返回带有参数的新类 Ex - 返回新的ExtendsAysncTaskLoader(this,Cursor);
错误现在会消失,因为我们正在使用名为ExampleAsync的静态类,它继承AsyncTaskLoader并且不会发生内存泄漏。
示例类 -
public static class ExtendsAysncTaskLoader extends AsyncTaskLoader<Cursor>{
Cursor mTaskData;
public ExtendsAysncTaskLoader(Context context, Cursor cursor) {
super(context);
mTaskData = cursor;
}
// onStartLoading() is called when a loader first starts loading data
@Override
protected void onStartLoading() {
if (mTaskData != null) {
// Delivers any previously loaded data immediately
deliverResult(mTaskData);
} else {
// Force a new load
forceLoad();
}
}
// loadInBackground() performs asynchronous loading of data
@Override
public Cursor loadInBackground() {
// Will implement to load data
// Query and load all task data in the background; sort by priority
// [Hint] use a try/catch block to catch any errors in loading data
try {
return getContentResolver().query(TaskContract.TaskEntry.CONTENT_URI,
null,
null,
null,
TaskContract.TaskEntry.COLUMN_PRIORITY);
} catch (Exception e) {
Log.e(TAG, "Failed to asynchronously load data.");
e.printStackTrace();
return null;
}
}
// deliverResult sends the result of the load, a Cursor, to the registered listener
public void deliverResult(Cursor data) {
mTaskData = data;
super.deliverResult(data);
}
};
}
OnCreateLoader() Example -
@Override
public Loader<String> onCreateLoader(int id, final Bundle args) {
Cursor mTaskData = null;
return new ExtendsAysncTaskLoader(this,mTaskData);
}
希望这有助于