ここでの答えはすでに素晴らしいですが、カスタムViewGroupsで必ずしも機能するとは限りません。すべてのカスタムビューはその状態を維持するために取得するには、オーバーライドする必要がありますonSaveInstanceState()
し、onRestoreInstanceState(Parcelable state)
各クラスインチ また、XMLからインフレートされているか、プログラムで追加されているかに関係なく、すべてが一意のIDを持っていることを確認する必要があります。
私が思いついたのは、Kobor42の答えのようでしたが、カスタムのViewGroupにプログラムでビューを追加し、一意のIDを割り当てなかったため、エラーが残っていました。
matoが共有するリンクは機能しますが、個々のビューが独自の状態を管理することはなく、状態全体がViewGroupメソッドに保存されます。
問題は、これらのViewGroupsの複数がレイアウトに追加されると、xmlからの要素のIDが一意ではなくなることです(xmlで定義されている場合)。実行時に、静的メソッドView.generateViewId()
を呼び出して、ビューの一意のIDを取得できます。これはAPI 17からのみ利用できます。
以下は、ViewGroupからの私のコードです(抽象であり、mOriginalValueは型変数です)。
public abstract class DetailRow<E> extends LinearLayout {
private static final String SUPER_INSTANCE_STATE = "saved_instance_state_parcelable";
private static final String STATE_VIEW_IDS = "state_view_ids";
private static final String STATE_ORIGINAL_VALUE = "state_original_value";
private E mOriginalValue;
private int[] mViewIds;
// ...
@Override
protected Parcelable onSaveInstanceState() {
// Create a bundle to put super parcelable in
Bundle bundle = new Bundle();
bundle.putParcelable(SUPER_INSTANCE_STATE, super.onSaveInstanceState());
// Use abstract method to put mOriginalValue in the bundle;
putValueInTheBundle(mOriginalValue, bundle, STATE_ORIGINAL_VALUE);
// Store mViewIds in the bundle - initialize if necessary.
if (mViewIds == null) {
// We need as many ids as child views
mViewIds = new int[getChildCount()];
for (int i = 0; i < mViewIds.length; i++) {
// generate a unique id for each view
mViewIds[i] = View.generateViewId();
// assign the id to the view at the same index
getChildAt(i).setId(mViewIds[i]);
}
}
bundle.putIntArray(STATE_VIEW_IDS, mViewIds);
// return the bundle
return bundle;
}
@Override
protected void onRestoreInstanceState(Parcelable state) {
// We know state is a Bundle:
Bundle bundle = (Bundle) state;
// Get mViewIds out of the bundle
mViewIds = bundle.getIntArray(STATE_VIEW_IDS);
// For each id, assign to the view of same index
if (mViewIds != null) {
for (int i = 0; i < mViewIds.length; i++) {
getChildAt(i).setId(mViewIds[i]);
}
}
// Get mOriginalValue out of the bundle
mOriginalValue = getValueBackOutOfTheBundle(bundle, STATE_ORIGINAL_VALUE);
// get super parcelable back out of the bundle and pass it to
// super.onRestoreInstanceState(Parcelable)
state = bundle.getParcelable(SUPER_INSTANCE_STATE);
super.onRestoreInstanceState(state);
}
}