以ProgressBar为例,如果我们需要自己实现一个ProgressBar,那么我们需要自定义一些属性在xml中提供给用户使用。 比如下面的自定义View,我们需要radius这个属性作为圆形进度条的半径。有一个style属性用来设置进度条的样式,可能是圆形,直线形,或者其它形状。
<com.xzh.viewdemos.ProgressBar
android:layout_height="wrap_content"
android:layout_width="wrap_content"
app:style="circle"
app:radius="100"
/>
这些属性需要在res/attrs.xml中,没有这个文件需要新建一个。
<?xml version="1.0" encoding="utf-8"?>
<resources>
<declare-styleable name="ProgressView">
<attr name="style" format="enum">
<enum name="circle" value="0"/>
<enum name="line" value="1"/>
</attr>
<attr name="radius" format="float"/>
</declare-styleable>
</resources>
这里最重要的就是format,表示定义属性的类型。根据需要来选择。 这是所有支持的类型,float,integer,boolean,string没什么好解释的。剩下的几个需要解释一下。这些属性其实在xml中你都见过。 在这之前,我们需要知道在java代码中如何获取这些数值。一般通过下面的代码获取。通过TypedArray这个类的对象就能够获取到我们定义的所有属性。
public ProgressView(Context context, @Nullable AttributeSet attrs) {
super(context, attrs);
initView();
TypedArray typedArray = context.obtainStyledAttributes(attrs, R.styleable.ProgressView);
style = typedArray.getInt(R.styleable.ProgressView_style, 0);
mRadius=typedArray.getFloat(R.styleable.ProgressView_radius,0);
typedArray.recycle();
}
1.dimension
dimension:就是我们最常用的dp。
<com.xzh.viewdemos.ProgressView
android:layout_height="100dp"
android:layout_width="100dp"
/>
2.color
color:其实在java代码中接收的就是int,区别就是你可以在xml文件中可以使用“#fffccc”这种颜色格式。
<com.xzh.viewdemos.ProgressView
android:layout_height="wrap_content"
android:layout_width="wrap_content"
android:background="#fffccc"
/>
3.reference
reference:引用id,也就是我们常用的R.layout.xxx或者R.drawable.xxx等资源文件
<ImageView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:src="@drawable/ic_launcher"/>
或者一些自定义或者系统自带的属性。
<ProgressBar
android:id="@+id/progressBar"
style="?android:attr/progressBarStyle"
app:layout_constraintBottom_toBottomOf="parent"
app:layout_constraintLeft_toLeftOf="parent"
app:layout_constraintRight_toRightOf="parent"
app:layout_constraintTop_toTopOf="parent"/>
4.flags
flags:或运算 在属性需要同时支持多个值的时候可以使用这个。在View对齐的时候非常常见
<LinearLayout
android:gravity="right|top"
android:layout_width="wrap_content"
android:layout_height="wrap_content">
5.fraction
fraction:百分数,一般也可以用float替代
android:pivotX = "200%"
android:pivotY = "300%"
6.enum
enum 枚举 例如orientation属性,只能垂直或者水平方向二选一。
<LinearLayout
android:orientation = "vertical"
android:layout_width = "fill_parent"
android:layout_height = "fill_parent"
>
</LinearLayout>
|