Android 中的粗体:怎么动态的设置粗体?怎么设置中粗
2020-06-27 本文已影响0人
MiBoy
怎么动态设置粗体:
Android中的粗体大家都知道怎么设置,就是在 xml 中设置一个textStyle,但怎么动态的设置粗体呢,Android 的Textview中没有直接设置setTextBold
这样的API,我这有两个办法去解决:
1.获取TextView的Paint,paint 中有个方法是setFakeBoldText
,代码演示就是
mTextView.getPaint().setFakeBoldText(true);
这个达到的效果是和设置 textStyle效果一致。
2.通过setTypeface( Typeface tf, @Typeface.Style int style)
,看下Typeface.Style
的结构
/** @hide */
@IntDef(value = {NORMAL, BOLD, ITALIC, BOLD_ITALIC})
@Retention(RetentionPolicy.SOURCE)
public @interface Style {}
是不是很熟悉啊,这不就是对应的textStyle中的三个参数吗
代码演示就是:
mText.setTypeface(null, Typeface.BOLD);
咱们看一下源码
public void setTypeface(@Nullable Typeface tf, @Typeface.Style int style) {
if (style > 0) {
if (tf == null) {
tf = Typeface.defaultFromStyle(style); //typeface 是可以为null的,为null 就用默认的
} else {
tf = Typeface.create(tf, style);
}
setTypeface(tf);// 调用了 重载的函数,里面主要是把tf 传入到 textpaint里面操作
// now compute what (if any) algorithmic styling is needed
int typefaceStyle = tf != null ? tf.getStyle() : 0;
int need = style & ~typefaceStyle;
mTextPaint.setFakeBoldText((need & Typeface.BOLD) != 0);// 其实和方法一殊途同归
mTextPaint.setTextSkewX((need & Typeface.ITALIC) != 0 ? -0.25f : 0);
} else {
mTextPaint.setFakeBoldText(false);
mTextPaint.setTextSkewX(0);
setTypeface(tf);
}
}
其实上面整体方法的思想还是通过 TextView里面的TextPaint 去设置 。
怎能设置中粗
我在开发的过程中,总会遇到设计给出的设置粗体和中粗的字重,一开始我们都以为中粗也是粗体,都用的 BOLD 的样式,但是经过对比,中粗比常规字体要粗,比粗体要细。那么要设置这个就要用到 fontFamily
android:fontFamily="sans-serif-medium"
Typeface typeface = Typeface.create("sans-serif-medium", 0);
mText.setTypeface(typeface);
参考链接:https://blog.csdn.net/yuanxw44/article/details/80019501