Android开发之路——单选框,复选框,弹出框等控件操作

由于这几个控件都是比较常用的控件,所以在进行操作的时候会比较常用,所以这个部分算是Android软件开发的重要部分,内容比较简单。分类型进行介绍

1.单选框操作:单选框在Android里面随处可见,它是由两部分组成的,一部分是RadioGroup,一部分是RadioButton。一个RadioGroup里面是有多个RadioButton。每个RadioButton就是一个单选项,而控制的时候是控制RadioGroup。下面是Xml和代码的实现部分:

相关阅读:

xml:

  1. <RadioGroup  
  2.         android:id = "@+id/genderGroup"  
  3.         android:layout_width = "wrap_content"  
  4.         android:layout_height = "wrap_content"  
  5.         android:orientation = "horizontal"  
  6.         >  
  7.           
  8.         <RadioButton  
  9.             android:id = "@+id/femaleButton"  
  10.             android:layout_width = "wrap_content"  
  11.             android:layout_height = "wrap_content"  
  12.             android:text = "@string/female"/>  
  13.   
  14.         <RadioButton  
  15.             android:id = "@+id/maleButton"  
  16.             android:layout_width = "wrap_content"  
  17.             android:layout_height = "wrap_content"  
  18.             android:text = "@string/male"/>  
  19.     </RadioGroup>  

上面定义了一个简单的RadioGroup和RadioButton的显示。

下面是绑定这个控件的事件的操作代码:

  1. //通过绑定genderGroup的OnCheckedChangeListener的方法来进行事件响应   
  2.        genderGroup.setOnCheckedChangeListener(new RadioGroup.OnCheckedChangeListener() {  
  3.           
  4.         @Override  
  5.         public void onCheckedChanged(RadioGroup group, int checkedId) {  
  6.             if(femaleButton.getId() ==checkedId){  
  7.                 System.out.println("female");  
  8.                 Toast.makeText(Activity07.this"女", Toast.LENGTH_SHORT).show();  
  9.             }else if(maleButton.getId() == checkedId){  
  10.                 System.out.println("male");  
  11.                 Toast.makeText(Activity07.this"男", Toast.LENGTH_SHORT).show();  
  12.             }  
  13.         }  
  14.     });  

2.弹出框(Toast)弹出框的事件跟Swing的JOptionPane很像,但是它是叫Toast,使用的方法就是在你需要弹出信息的地方加上:Toast.makeText(这里是你要弹出的类对象名,这个是你要弹出的字符串 , 这个是你要弹出的长度大小)。具体例子看上面一段Java代码的最后一行。弹出框不需要在xml里面进行配置。

3.复选框(checkBox):复选框就没有单选框那样有组的概念了,所以复选框的操作和单选框比起来就会比较复杂一点点,因为你要对每个复选框都进行一个事件响应。下面是一个复选框的例子。

  1. <CheckBox  
  2.         android:id = "@+id/swim"  
  3.         android:layout_width = "wrap_content"  
  4.         android:layout_height = "wrap_content"  
  5.         android:text = "@string/swim"/>  
  6.       
  7.     <CheckBox  
  8.         android:id = "@+id/run"  
  9.         android:layout_width = "wrap_content"  
  10.         android:layout_height = "wrap_content"  
  11.         android:text = "@string/run"/>  
  12.       
  13.     <CheckBox  
  14.         android:id = "@+id/read"  
  15.         android:layout_width = "wrap_content"  
  16.         android:layout_height = "wrap_content"  
  17.         android:text = "@string/read"/>  

相关推荐