我为我们在整个应用程序中广泛使用的控件编写了一个自定义小部件。小部件类以几种简单的方式派生ImageButton
并扩展它。我已经定义了一种样式,可以在使用时应用到小部件,但我更喜欢通过主题来设置它。在R.styleable
我看到小部件样式属性,如imageButtonStyle
和textViewStyle
。有没有办法为我写的自定义小部件创建类似的东西?
2 回答
是的,有一种方法:
假设您有一个小部件的属性声明(在 中attrs.xml
):
<declare-styleable name="CustomImageButton">
<attr name="customAttr" format="string"/>
</declare-styleable>
声明一个您将用于样式引用的属性(在 中attrs.xml
):
<declare-styleable name="CustomTheme">
<attr name="customImageButtonStyle" format="reference"/>
</declare-styleable>
为小部件声明一组默认属性值(在 中styles.xml
):
<style name="Widget.ImageButton.Custom" parent="android:style/Widget.ImageButton">
<item name="customAttr">some value</item>
</style>
声明一个自定义主题(在 中themes.xml
):
<style name="Theme.Custom" parent="@android:style/Theme">
<item name="customImageButtonStyle">@style/Widget.ImageButton.Custom</item>
</style>
将此属性用作小部件构造函数中的第三个参数(在 中CustomImageButton.java
):
public class CustomImageButton extends ImageButton {
private String customAttr;
public CustomImageButton( Context context ) {
this( context, null );
}
public CustomImageButton( Context context, AttributeSet attrs ) {
this( context, attrs, R.attr.customImageButtonStyle );
}
public CustomImageButton( Context context, AttributeSet attrs,
int defStyle ) {
super( context, attrs, defStyle );
final TypedArray array = context.obtainStyledAttributes( attrs,
R.styleable.CustomImageButton, defStyle,
R.style.Widget_ImageButton_Custom ); // see below
this.customAttr =
array.getString( R.styleable.CustomImageButton_customAttr, "" );
array.recycle();
}
}
现在您必须应用Theme.Custom
到所有使用的活动CustomImageButton
(在 AndroidManifest.xml 中):
<activity android:name=".MyActivity" android:theme="@style/Theme.Custom"/>
就这样。现在CustomImageButton
尝试从customImageButtonStyle
当前主题的属性加载默认属性值。如果在主题中找不到这样的属性或属性的值,@null
那么将使用最后一个参数obtainStyledAttributes
:Widget.ImageButton.Custom
在这种情况下。
您可以更改所有实例和所有文件的名称(除了AndroidManifest.xml
),但最好使用 Android 命名约定。
除了 michael 的出色回答之外,另一个方面是覆盖主题中的自定义属性。假设您有许多自定义视图都引用自定义属性“custom_background”。
<declare-styleable name="MyCustomStylables">
<attr name="custom_background" format="color"/>
</declare-styleable>
在主题中,您定义值是什么
<style name="MyColorfulTheme" parent="AppTheme">
<item name="custom_background">#ff0000</item>
</style>
或者
<style name="MyBoringTheme" parent="AppTheme">
<item name="custom_background">#ffffff</item>
</style>
您可以在样式中引用属性
<style name="MyDefaultLabelStyle" parent="AppTheme">
<item name="android:background">?background_label</item>
</style>
注意问号,也用于参考 android 属性,如
?android:attr/colorBackground
正如你们大多数人所注意到的,您可以——并且可能应该——使用@color 引用而不是硬编码的颜色。
那么为什么不做
<item name="android:background">@color/my_background_color</item>
您不能在运行时更改“my_background_color”的定义,但您可以轻松切换主题。