《第一行代码》笔记3—UI控件篇
2019-02-18 本文已影响0人
aasdfghjkll
常用控件和布局的继承结构
上图说明了控件是在View的基础上加了各自的功能;
ViewGroup是一种特殊的View,可以包含很多View和ViewGroup
可以通过自定义控件满足程序开发过程中的各种需求
1. 控件中引入布局,制作自定义标题栏
避免每个活动的布局中都编写同样的标题栏代码
方法一:
在布局文件中用include标签放入标题栏代码,用到的语句:
<LinearLayout
...
>
<include layout="@layout/title"/>
</LinearLayout>
其中title.xml文件中如下所写:
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout
xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="match_parent">
<Button
android:id="@+id/bt_back"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="back"/>
<TextView
android:id="@+id/tv_title"
android:layout_width="0dp"
android:layout_height="wrap_content"
android:layout_weight="1"
android:gravity="center"
android:text="title"/>
<Button
android:id="@+id/bt_exit"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:text="exit"/>
</LinearLayout>
这样就可以引入布局了,别忘了在MainActivity中将系统自带的标题栏隐藏掉:
@Override
protected void onCreate(Bundle savedInstanceState){
//...
ActionBar actionBar=getSupportActionBar();
if(actionBar!=null){
actionBar.hide();
}
//...
}
2. 创建自定义控件,制作自定义标题栏
自定义控件可以解决上一小节 引入布局 方法中响应事件需要多次编写的问题
自定义控件的写法:
其中,在构造函数中需要使用LayoutInflater对标题栏布局进行动态加载,from方法构造出LayoutInflater对象,inflate方法动态加载布局文件,inflate方法第二个参数是给加载好的布局再添加一个父布局,这里是TitleLayout,所以直接传入this
使用TitleLayout控件的时候,只要在布局文件中添加这个自定义控件就可以了,如下所示:
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
tools:context=".TitleLayoutActivity">
<com.example.test.uidemo.TitleLayout
android:id="@+id/titlelayout"
android:layout_width="wrap_content"
android:layout_height="wrap_content">
</com.example.test.uidemo.TitleLayout>
</LinearLayout>
3.ListView控件
ListView的两个优化,用来提升ListView的运行效率:
使用用Adapter中的getView()方法的View参数中的布局缓存进行重用,这样就可以不必重复加载布局。
为getView中获得的子view添加一个Viewholder的Tag,这样在每次有布局缓存时,就不用再通过getViewById()来获取一次控件的实例了。
当传入adapter的数据修改后,通过以下语句刷新ListView中的显示:
adapter.notifyDataSetChanged();
将ListView定位到最后一行:
listView.setSelection(contentList.size());
未完待更