我最近只需要在Android布局文件中设置xmlns属性。最初,当我添加第三方控件时,控件的XML中的某些属性没有用于标识命名空间的前缀。当我运行我的应用程序时,显示了控件,但忽略了那些没有命名空间前缀的属性。只有在将xmlns添加到文件顶部并将前缀添加到属性之后,才会在运行时识别这些属性。以下是更正后的代码:
xmlns:fab="http://schemas.android.com/apk/res-auto"
<com.getbase.floatingactionbutton.FloatingActionButton
android:id="@+id/ivFAB"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
fab:fab_icon="@drawable/ic_fab_star"
fab:fab_colorNormal="@color/pink_500"
fab:fab_colorPressed="@color/pink_100"
android:layout_alignParentBottom="true"
android:layout_alignParentRight="true"
android:layout_marginRight="15dp"
android:layout_marginBottom="15dp"
android:visibility="visible"
/>
xmlns前缀是'fab'。我不明白的是,没有命名空间和前缀,应用程序编译没有任何错误。为什么Android Studio没有抱怨它找不到fab_icon?为什么它只是忽略这些属性?我已经在不同主题的stackoverflow中看到了一些帖子,其中有人已经指出要省略前缀然后代码工作。所以我不知道发生了什么。在某些问题(如我的)中需要前缀,但在其他问题上则不然?这是Android Studio的不同版本或SDK版本的问题吗?
答案 0 :(得分:0)
是。即使您可以定义自己的自定义布局属性。
第1步:创建视图的子类。
class PieChart extends View {
public PieChart(Context context, AttributeSet attrs) {
super(context, attrs);
}
}
第2步:在
<declare-styleable>
中使用res/values/attrs.xml
定义自定义属性。
<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>
第3步:在布局xml中使用这些属性。
<?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>
第4步:将自定义属性应用于视图。
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();
}
}
第5步:添加属性和事件
属性是控制视图行为和外观的强大方法,但只能在初始化视图时读取它们。要提供动态行为,请为每个自定义属性公开属性getter和setter对。以下代码段显示
的属性PieChart
如何公开名为showText
public boolean isShowText() {
return mShowText;
}
public void setShowText(boolean showText) {
mShowText = showText;
invalidate();
requestLayout();
}
有关详细信息和详细信息,请参阅此link。