问题描述
我们从代码里获得Drawable在设置给View时会发现,图片不显示的问题.比如如下代码:
Drawable drawable = getResources().getDrawable(R.drawable.bg_btn_green, null); btn1.setCompoundDrawables(null, drawable, null, null);//在按键的上部分显示图片
问题原因
用上面的方式代码里获取的drawable其实未设置setBounds()尺寸大小
解决问题
给drawable设置setBounds()就行了,如下:
drawable.setBounds(0, 0, 100, 100);
但是,这样并没有解决适配尺寸问题,因为这是你自己设置的固定值.这里给出2个思路来适配尺寸
第一种.如果你的drawable的xml文件是一个矢量图(矢量图通常有包含宽和高)或者包含内部尺寸,比如如下背景xml有提供android:width="100dp"和android:height="100dp":
<?xml version="1.0" encoding="utf-8"?> <shape xmlns:android="http://schemas.android.com/apk/res/android" android:shape="rectangle"> <solid android:color="@color/colorGreen4" /> <corners android:radius="5dp"/> <size android:width="100dp" android:height="100dp"/> </shape>
那么你就可以选择以下方式适配尺寸:
Drawable drawable = getResources().getDrawable(R.drawable.bg_btn_green, null); // drawable.setBounds(0, 0, drawable.getIntrinsicWidth(), drawable.getIntrinsicHeight()); drawable.setBounds(0, 0, drawable.getMinimumWidth(), drawable.getMinimumHeight()); btn1.setCompoundDrawables(null, drawable, null, null);//给按键的上部分设置一张背景图片
drawable.getIntrinsicWidth(), drawable.getIntrinsicHeight() 获取内部宽度与高度
drawable.getMinimumWidth(), drawable.getMinimumHeight() 获取推荐的最小宽度和高度
第二种.没有内部尺寸的drawable
没有内部尺寸的drawable一般是一个按键背景或者一个聊天背景框,再或者是一个分割线.这个时候我们只需要适配View的尺寸就行了.如下代码:
btn1.post(new Runnable() { //因为View在onCreate的生命周期里被创建的时候是没有测量尺寸的,所以我们需要将Drawable的处理放到View的列队中 @Override public void run() { Drawable drawable = getResources().getDrawable(R.drawable.bg_btn_green, null); int width = 0; int height = 0; if (drawable.getIntrinsicWidth() == -1){ //如果是返回-1就说明没有宽度值 width = btn1.getWidth();//获取View的宽度 }else { width = drawable.getIntrinsicWidth(); } if (drawable.getIntrinsicHeight() == -1){ height = btn1.getHeight(); }else { height = drawable.getIntrinsicHeight(); } drawable.setBounds(0, 0, width, height); btn1.setBackground(drawable);//设置为背景 } });
如果使用drawable.getMinimumWidth(), drawable.getMinimumHeight() 则判断的值要变成 0. 因为,这2个方法在注释里也说明了如果没有推荐的最小值就会返回0
本文来自博客园,作者:观心静 ,转载请注明原文链接:https://www.cnblogs.com/guanxinjing/p/11249427.html
本文版权归作者和博客园共有,欢迎转载,但必须给出原文链接,并保留此段声明,否则保留追究法律责任的权利。