本文主要是介绍Android TabLayout -- 反射修改TabLayout下划线(Indicator)宽度失效的问题,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
在使用TabLayout的时,常常会遇到修改下划线(indicator)的需求,但是源码并没有提供修改宽度的api,而是始终和最长的下划线宽度保持一致,这点可以在源码里得出结论,源码如下(api26后源码有修改,这也就是为什么网上很多修改宽度方法失效的原因,不过思路都是一样的,本篇博客基于api28)
下划线主要由这个类SlidingTabIndicator实现,它是TabLayout的一个内部类,在onMeasure方法里可以看到它的测量逻辑
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {super.onMeasure(widthMeasureSpec, heightMeasureSpec);if (MeasureSpec.getMode(widthMeasureSpec) == 1073741824) {if (TabLayout.this.mode == 1 && TabLayout.this.tabGravity == 1) {int count = this.getChildCount();int largestTabWidth = 0;int gutter = 0;for(int z = count; gutter < z; ++gutter) {View child = this.getChildAt(gutter);if (child.getVisibility() == 0) {largestTabWidth = Math.max(largestTabWidth, child.getMeasuredWidth()); //1}}if (largestTabWidth <= 0) {return;}gutter = TabLayout.this.dpToPx(16);boolean remeasure = false;if (largestTabWidth * count > this.getMeasuredWidth() - gutter * 2) {TabLayout.this.tabGravity = 0;TabLayout.this.updateTabViews(false);remeasure = true;} else {for(int i = 0; i < count; ++i) {android.widget.LinearLayout.LayoutParams lp = (android.widget.LinearLayout.LayoutParams)this.getChildAt(i).getLayoutParams();if (lp.width != largestTabWidth || lp.weight != 0.0F) {lp.width = largestTabWidth;lp.weight = 0.0F;remeasure = true;}}}if (remeasure) {super.onMeasure(widthMeasureSpec, heightMeasureSpec);}}}}
注释1处可以看到,在循环里不断比较,最终得到了宽度最大的值,这也就对应了上面的结论。
知道了下划线的宽度是和TabView关联的,那么我们就可以通过修改TabView的宽度来达到目的,而TabView的宽度又是textView决定的,所以只需要改变textView的宽度即可。
这里需要注意的是,api26之前的代码里,写的是mTextView,而之后改成了textView,只需要在业务层调用下面的代码即可。
public static void setTabWidth(final TabLayout tabLayout, final int padding) {tabLayout.post(() -> {try {//拿到tabLayout的mTabStrip(低版本)/slidingTabIndicator(高版本)属性LinearLayout mTabStrip = (LinearLayout) tabLayout.getChildAt(0);for (int i = 0; i < mTabStrip.getChildCount(); i++) {View tabView = mTabStrip.getChildAt(i);//这里需要根据源码版本做一个判断String text;if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {text = "textView";} else {text = "mTextView";}//拿到tabView的mTextView属性 tab的字数不固定一定用反射取mTextViewField mTextViewField = tabView.getClass().getDeclaredField(text);mTextViewField.setAccessible(true);TextView mTextView = (TextView) mTextViewField.get(tabView);tabView.setPadding(0, 0, 0, 0);//字多宽线就多宽int width = 0;width = mTextView.getWidth();if (width == 0) {mTextView.measure(0, 0);width = mTextView.getMeasuredWidth();}//设置tab左右间距 注意这里不能使用Padding 因为源码中线的宽度是根据 tabView的宽度来设置的LinearLayout.LayoutParams params = (LinearLayout.LayoutParams) tabView.getLayoutParams();params.width = width;params.leftMargin = padding;params.rightMargin = padding;tabView.setLayoutParams(params);tabView.invalidate();}} catch (NoSuchFieldException | IllegalAccessException e) {e.printStackTrace();}});}
使用反射并不是完全安全的,谷歌也曾明确表示过,不希望开发者过度依赖反射。
感兴趣的小伙伴也可以尝试通过自定义TabView的方式来实现同样的效果。
这篇关于Android TabLayout -- 反射修改TabLayout下划线(Indicator)宽度失效的问题的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!