Android自定义属性

Android自定义View有时需要自定义属性,然后动态获取属性值来影响view的展现。下面通过例子来说明Android自定义属性的过程,大体过程有:

  • 通过<declare-styleable> 声明自定义的属性
  • 通过xmlns:设置命名空间,引用属性,设置属性值
  • 通过TypedArray在代码里动态获取属性值

过程详细如下:
1、在工程目录res/values/attrs.xml下通过<declare-styleable>标签申明要自定义的属性,设置<attr>的name和format属性,format属性的设置参考:http://blog.csdn.net/wonengxing/article/details/15340827

<resources>
   <declare-styleable name="PieChart">
       <attr name="showText" format="boolean" />
       <attr name="labelPosition" format="enum">
           <enum name="left" value="0"/>
           <enum name="right" value="1"/>
       </attr>
   </declare-styleable>
</resources>

2、现在可以在xml布局文件中使用自定义的属性,但这些属性不属于http://schemas.android.com/apk/res/android 命名空间,而是属于命名空间:http://schemas.android.com/apk/res/[your package name],如下:

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:custom="http://schemas.android.com/apk/res/com.example.customviews">
 <com.example.customviews.charting.PieChart  custom:showText="true" custom:labelPosition="left" />
</LinearLayout>

3、在代码中获取设置的属性值

public PieChart(Context context, AttributeSet attrs) {
   super(context, attrs);
   TypedArray a = context.getTheme().obtainStyledAttributes(
        attrs,
        R.styleable.PieChart,
        0, 0);

   try {
       mShowText = a.getBoolean(R.styleable.PieChart_showText, false);
       mTextPos = a.getInteger(R.styleable.PieChart_labelPosition, 0);
   } finally {
       a.recycle();//最后务必要调用recycle()方法,否则会对下次使用造成影响
   }
}

你可能感兴趣的:(自定义属性)