這是Android中ListViews的預期行爲。您使用基礎數據來填充列表中的視圖的方法正確。
Android在創建ListView時使用了一種名爲View Recycling的技術,因爲與使用數據填充視圖相比,膨脹視圖是一項強化操作。 Android只通過創建用戶在屏幕上看到的視圖來將通貨膨脹降到最低(在程序員的幫助下)。當用戶向上滾動列表時,移出屏幕的視圖將被放置在一個池中,以供將要顯示的新項目重新使用。作爲第二個參數,此池中的視圖傳遞給getView
。這個視圖將保持其從列表中彈出的確切狀態,所以取決於getView方法是否清除舊數據的任何狀態,並根據基礎數據中的新狀態重新填充它。下面是getView()
的實施應該有結構的一個例子:
@Override
public View getView (int position, View convertView, ViewGroup parent)
{
//The programmer has two responsibilities in this method.
//The first is to inflate the view, if it hasn't been
//convertView will contain a view from the aforementioned pool,
// but when first creating the list, the pool is empty and convertView will be null
if(convertView == null)
{
//If convertView is null, inflate it, something like this....
convertView = layoutInflator.inflate(R.layout.mylistview, null);
}
//If convertView was not null, it has previously been inflated by this method
//Now, you can use the position argument to find this view's data and populate it
//It is important in this step to reset the entire state of the view.
//If the view that was popped off the list had a checked CheckBox,
// it will still be selected, EditTexts will not be cleared, etc.
//Finally, once that configuration is done, return convertView
return convertView;
}
有來自適配器類也有許多其他方法,可幫助管理您的列表,並允許你做聰明的事情,槓桿融資的回收,如getItem()
用於管理您的基礎數據,而getViewType()
和getViewTypeCount()
針對具有多種視圖類型的列表,但以上是基本技巧,並且是視圖順利運行所需的最少量。
這聽起來像你在正確的軌道上,我希望這有助於回答你的一些問題。如果有什麼不清楚的地方,請告訴我更多信息。
你有什麼參考嗎?我怎樣才能找出哪些項目重新繪製? AFAIK這是完全隨機的,當我做出改變時,哪些項目會「破碎」。 – caiocpricci2 2013-03-14 13:49:56
這是Google的API規範ListView的。我敢打賭,正在發生的事情是,您正在重新使用一個視圖,而您並未重置所有狀態。因此,一些複選框不應該被檢查,反之亦然。當你滾動列表(上下)時,你會看到越來越多的奇怪行爲。 – Sababado 2013-03-14 15:54:15