我的代码中有这个CheckBoxPreference。我在我的代码中实现了onSharedPreferenceChanged()来执行一些操作。问题是,当我单击复选框首选项时,函数将在具有相同值的循环中调用。任何人都可以帮我这个吗?
以下是相关的代码段:
首选项活动中的onSharedPreferenceChanged()部分:
if(key.equals(LOCATION_UPDATE_KEY)) {
boolean update = sharedPreferences.getBoolean(LOCATION_UPDATE_KEY, false);
Log.v("preferences", update + "");
editor.putBoolean(LOCATION_UPDATE_KEY, update);
editor.commit();
}
首选项活动的xml部分:
<PreferenceCategory
android:title="Location">
<CheckBoxPreference
android:title="Track Location"
android:defaultValue="false"
android:summary="Keep track of handset location (Consumes Battery)"
android:key="track_option" />
<ListPreference
android:title="Location Update Source"
android:summary=""
android:key="track_source"
android:defaultValue="2"
android:entries="@array/location_sources"
android:entryValues="@array/location_sources_values"
android:dependency="track_option" />
<ListPreference
android:title="Location Update Interval"
android:summary=""
android:key="track_interval"
android:defaultValue="2"
android:entries="@array/location_update_interval"
android:entryValues="@array/location_update_interval_values"
android:dependency="track_option" />
</PreferenceCategory>
答案 0 :(得分:1)
简单:如果您更改onSharedPreferenceChanged
中的SharedPreference,则会创建一个循环,因为您自己触发了。循环实际上是一个递归,如果你无休止地调用自己,你就会填满内存(而不是正常的内存 - “堆栈”)直到你得到一个堆栈溢出。
正常(稍微有用)的递归看起来像这样:
public int sumAllNumbersUpTo (int number) {
if (number > 0) {
return number + sumAllNumbersUpTo(number - 1);
} else {
return 0;
}
}
int result = sumAllNumbersUpTo(3);
// result is 3 + ( 2 + ( 1 + ( 0 ) ) )
它会在满足某些条件之前调用自己。如果删除该条件,则此方法永远不会结束。