View初步

来源:互联网 发布:大地彩票完整源码 编辑:程序博客网 时间:2024/05/16 08:34

1.View的基本概念

2.在Activity当中获取代表View的对象

3.设置View的属性

4.为View设置监听器

什么是View?


如上图所示,上面三个控件就统称为View,他们都是View的子类。

View的种类:


有:文本,按钮,多选,单选,布局等等

如何获取并设置view的属性?

举例:

<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"    xmlns:tools="http://schemas.android.com/tools"    android:layout_width="match_parent"    android:layout_height="match_parent"    android:paddingBottom="@dimen/activity_vertical_margin"    android:paddingLeft="@dimen/activity_horizontal_margin"    android:paddingRight="@dimen/activity_horizontal_margin"    android:paddingTop="@dimen/activity_vertical_margin"    tools:context=".MainActivity" >    <TextView        android:layout_width="fill_parent"        android:layout_height="wrap_content"        android:background="#FF0000"        android:text="@string/hello_world" /></LinearLayout>
上面是一个默认的activity布局文件,这是一个LinearLayout(线性布局),这个线性布局有一个TextView控件,宽度填满屏幕(fill_parent),高度包着Text的内容(wrap_content),颜色为RED(#FF0000),打印出的内容为:hello_world。如下所示:

下面就使用一种方法获取并设置该TextView的属性(把Hello_World改为SHANL,背景改为蓝色):

1.在xml中加入View的id支持:android:id="@+id/textView"

2.在src代码中:

加入import包:import android.widget.TextView;

声明TextView:

private TextView textView;

获取并设置属性:

textView = (TextView)findViewById(R.id.textView); //获取TextView控件
textView.setBackgroundColor(Color.BLUE);//设置颜色
textView.setText("SHANL");//设置文本

运行的结果如下:

什么是监听器?


如上图所示,每个控件可以有多个监听器,每个监听器可以控件的相应行为,来做不同的动作。比如有一个按键控件,短按对应一个监听器,长按对应另一个监听器,按键的其他行为又对应其他的监听器。

那么如何为控件绑定监听器

1 获取代表控件的对象                       findViewbyId
2 定义一个类,实现监听器接口          
3 生成监听器对象                                new
4 为控件绑定监听器对象   

小技巧:导入包的快捷键:ctrl+shit+o                 

实验:编写一个监听器,将button按下时,文本就做相应的变化。

    <TextView        android:id="@+id/textView"        android:layout_width="match_parent"        android:layout_height="wrap_content"        android:background="#FF0000"        android:text="0" />        <Button         android:id="@+id/button"        android:layout_width="match_parent"        android:layout_height="wrap_content"        android:text="button"/>
设置TextView和Button控件。并设置TextView的初始值为0.

class ButtonListener implements OnClickListener{@Overridepublic void onClick(View v) {// TODO Auto-generated method stubcount++;textView.setText(count + "");//每点击一下button,数字增长}}
上面代码定义一个类,实现监听器接口 

private TextView textView;private Button button;int count = 0;@Overrideprotected void onCreate(Bundle savedInstanceState) {super.onCreate(savedInstanceState);setContentView(R.layout.activity_main);textView = (TextView)findViewById(R.id.textView);button = (Button)findViewById(R.id.button);//获取代表控件的对象  ButtonListener buttonListener = new ButtonListener();//生成监听器对象 button.setOnClickListener(buttonListener);//为控件绑定监听器对象}

编译运行:

每点击一下button,数字就会增1



原创粉丝点击