標籤:
第一次寫部落格,有錯的地方大家可以指出;
大家都知道在ScrollView嵌套ListView,ListView會顯示不完全,無法計算ListView的高度,要解決在一個滑動介面中顯示ListView和其他布局,有兩種方法;
第一種:就是讓listView的高度全部展示出來,那麼這個就要對ListView進行封裝,重新設定高度;代碼如下:
public class ListViewForScrollView extends ListView {
public ListViewForScrollView(Context context) {
super(context);
}
public ListViewForScrollView(Context context, AttributeSet attrs) {
super(context, attrs);
}
public ListViewForScrollView(Context context, AttributeSet attrs,
int defStyle) {
super(context, attrs, defStyle);
}
/**
* 重寫onMeasure(),達到使ListView適應ScrollView的效果
*/
@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
int expandSpec = MeasureSpec.makeMeasureSpec(Integer.MAX_VALUE >> 2,
MeasureSpec.AT_MOST);
super.onMeasure(widthMeasureSpec, expandSpec);
}
}
其中兩個輸入參數:
widthMeasureSpec 水平寬度
heightMeasureSpec 垂直高度
這兩個要求是按照View.MeasureSpec類來進行編碼的。
參見View.MeasureSpec這個類的說明:這個類封裝了從parent傳遞下來的布局要求,傳遞給這個child。
每一個MeasureSpec代表了對寬度或者高度的一個要求。
每一個MeasureSpec有一個尺寸(size)和一個模式(mode)構成。
MeasureSpec.AT_MOST 表示子布局可以根據自己的大小選擇任意大小的模式
Integer.MAX_VALUE >> 2 表示值為 2的31次方-1 的常量,它表示 int 類型能夠表示的最大值。
第二種方法:想要實現滑動介面中包含ListView,可以通過給ListView添加HeaderView或者FooterView來實現,代碼如下:
mView = View.inflate(mContext, R.layout.fragment_base_slide_view_contact, this);
mistView = (ListView)mView.findViewById(R.id.lv_card);
headerView = View.inflate(mContext, R.layout.top, null);
footerView = View.inflate(mContext, R.layout.foot, null);
mTextNotExc = (TextView)headerView.findViewById(R.id.tv_exchange);
friendTips = (ImageView)headerView.findViewById(R.id.iv_tips);
allNumber = (TextView)footerView.findViewById(R.id.tv_number);
llNumber = (LinearLayout)footerView.findViewById(R.id.ll_number);
mListView.addHeaderView(headerView, null, false);
mListView.addFooterView(footerView, null, false);
在ListView中添加上頭和尾布局,一樣可以實現上述效果,而且這種方法比第一種的更好,它不用一次性把所有的資料全部載入出來,可以和平常的listView差不多使用,支援分頁載入;
Android 中ScrollView嵌套ListView 最簡單有效處理方法