如何在代码中获取attr属性的值

如何在代码中获取attr属性的值

获取arrt的值


有时候我们需要把颜色,数值写成attr属性,这样做是为了屏蔽开发者对应具体数值,比如我们需要设置不同主题下的主色,副色,或者是不同版本的ActionBar大小,亦或者是不同Dpi下的DrawerLayout的宽度等。

在xml里,我们可以简单的引用attr属性值,例如:
 
    
  1. android:background="?attr/colorPrimary"
  2. android:minHeight="?attr/actionBarSize"
当然,我们有时候也需要在代码中获取attr属性值:
 
    
  1. TypedValue typedValue = new TypedValue();
  2. context.getTheme().resolveAttribute(R.attr.yourAttr, typedValue, true);
  3. // For string
  4. typedValue.string
  5. typedValue.coerceToString()
  6. // For other data
  7. typedValue.resourceId
  8. typedValue.data;

获取arrt样式中的值


以上是针对个体数值根据不同类型来获取的,如果想要获取 style 的话,需要在拿到 resourceId 之后再进一步获取具体数值,以 TextAppearance.Large 为例:
 
    
  1. name="TextAppearance.Large">
  2. name="android:textSize">22sp
  3. name="android:textStyle">normal
  4. name="android:textColor">?textColorPrimary

 
    
  1. TypedValue typedValue = new TypedValue();
  2. context.getTheme().resolveAttribute(android.R.attr.textAppearanceLarge, typedValue, true);
  3. int[] attribute = new int[] { android.R.attr.textSize };
  4. TypedArray array = context.obtainStyledAttributes(typedValue.resourceId, attribute);
  5. int textSize = array.getDimensionPixelSize(0 /* index */, -1 /* default size */);
  6. array.recycle();

注意,要记得调用 TypedArray.recycle() 方法回收资源。

Android 源码中的使用实例

 
    
  1. Drawable drawable = context.getPackageManager()
  2. .getResourcesForApplication(tile.iconPkg).getDrawable(tile.iconRes, null);
  3. if (!tile.iconPkg.equals(context.getPackageName()) && drawable != null) {
  4. // If this drawable is coming from outside Settings, tint it to match the color.
  5. TypedValue tintColor = new TypedValue();
  6. context.getTheme().resolveAttribute(com.android.internal.R.attr.colorAccent,
  7. tintColor, true);
  8. drawable.setTint(tintColor.data);
  9. }
  10. tileIcon.setImageDrawable(drawable);
上面的代码是在Android M设置中的拷贝出来的代码,这个效果就是将一个icon  drawable 对象染上在当前context对应主题中的 colorAccent 属性的颜色.

你可能感兴趣的:(Android)