Android开发专栏

Android 用代码给 View 设置 Style

2021-09-08  本文已影响0人  IAn2018

上一篇文章介绍了用 Kotlin 代码写布局,但是有个问题,如果我在原来的 xml 里设置了 style 怎么办?怎么在代码里设置 style 呢?

据我所知,Android 官方是没有提供设置 style 的 API 的,那么就没法用 style 了吗?当然不是,我们可以换个思路。

换个思路

我们用 style 是为了减少相同样式 View 的重复代码,将重复代码抽成 style 达到复用的效果,其实我们上篇文章中那种写法就已经达到了这个目的,就是 NumButton 那个类,我们把重复的属性设置都放到了这个类里,看,这样是不是已经满足设置 style 的需求了。

什么?你就要用 style。好吧,那就再教大家一个小技巧来用代码设置 style。

就要用 style

大家记不记得 View 的构造方法中有一个是四个参数的:

/**
 * ...
 * @param defStyleAttr An attribute in the current theme that contains a
 *        reference to a style resource that supplies default values for
 *        the view. Can be 0 to not look for defaults. 
 *        当前主题中的一个属性,包含对为视图提供默认值的样式资源的引用。可以为 0 以不查找默认值
 * @param defStyleRes A resource identifier of a style resource that
 *        supplies default values for the view, used only if
 *        defStyleAttr is 0 or can not be found in the theme. Can be 0
 *        to not look for defaults.
 *        为视图提供默认值的样式资源的资源标识符,仅在 defStyleAttr 为 0 或在主题中找不到时使用。可以为 0 以不查找默认值。
 * ...
 */
public View(context: Context, attrs: AttributeSet?, defStyleAttr: Int, defStyleRes: Int)

着重看一下后两个参数的意思,其中第四个参数 defStyleRes 不就是我们要找的设置 style 的地方嘛。那么我们想要给 View 设置 style 可以这样写:

// 注意,这里的第三个参数传 0 ,原因上面源码注释里已经写了
val btn0 = Button(context, null, 0, R.style.StyleCalBtn)

这样我们写的 style 就能用了。但是... 还有一个问题,有的 View 就没给提供四个参数的构造方法咋办?就比如 AppCompatButton ,像这种情况我们怎么设置 style 呢?这时候就需要看一下 View 的第三个参数 defStyleAttr 的含义了。

defStyleAttr 的解释当前主题中的一个属性 attr,这个属性里有默认 style 的引用,那么,我们把这个默认 style 的引用换成我们自己的不就达到了设置 style 的目的了嘛。

先看一下 AppCompatButton 的 attr 名字叫什么:

public AppCompatButton(@NonNull Context context, @Nullable AttributeSet attrs) {
    this(context, attrs, R.attr.buttonStyle);
}

根据 AppCompatButton 的源码可以知道,它的 attr 叫 buttonStyle,然后我们就可以自定义一个 theme,把 buttonStyle 的值给覆盖掉:

<style name="Theme.CalBtn" parent="Theme.CustomViewGroup">
    <!-- 注意这里前面加了 android: -->
    <item name="android:buttonStyle">@style/StyleCalBtn</item>
</style>

那么我们怎么用这个主题呢?直接传到 View 的第三个参数上?这样不行,第三个参数要的是一个 attr,不能传 theme。那怎么办呢?

我们可以从 Context 上做手脚,通过 ContextThemeWrapper 给 Context 再包装一层:

fun Context.toTheme(@StyleRes style: Int) = ContextThemeWrapper(this, style)

这样 View 在通过 context.obtainStyledAttributes() 方法获取属性值的时候,就可以加载我们设置的主题了。

新的写法就可以这样:

// 注意,这里不能只传 context ,如果只传 context 它内部会走 (context, null, 0) 这个构造,导致设置的 style 无效
val btn0 = AppCompatButton(context.toTheme(R.style.Theme_CalBtn), null, android.R.attr.buttonStyle)

这下可以用代码设置 style 了吧。

上一篇下一篇

猜你喜欢

热点阅读