1. 程式人生 > >Android 將本地資源圖片轉換成Drawable,進行設定大小

Android 將本地資源圖片轉換成Drawable,進行設定大小

前言:
因為專案中顯示圖片是用Picasso,設定placeholder和error圖片的時候發現,本地圖片的大小無法滿足我的需求,需要先對圖片大小改變再顯示。
Picasso的placeholder和error的引數也只有int resIdDrawable drawable
於是打算將改變過大小的Drawable傳進入顯示,咦,效果很滿意!

開心

整個過程的思路:

  1. 將本地圖片(R.drawable.image)變成Drawable物件
  2. 將Drawable物件轉換成Bitmap物件
  3. 將Bitmap物件根據指定大小建立一個新的Bitmap物件
  4. 將Bitmap物件轉換成Drawable物件

程式碼:

1. 將本地圖片(R.drawable.image)變成Drawable物件

Drawable drawable = ContextCompat.getDrawable(context, R.drawable.image);

2. 將Drawable物件轉換成Bitmap物件

/**
 * 將Drawable轉換為Bitmap
 * @param drawable
 * @return
 */
private Bitmap drawableToBitmap(Drawable drawable) {
    //取drawable的寬高
    int width = drawable.getIntrinsicWidth();
    int height = drawable.getIntrinsicHeight();
    //取drawable的顏色格式
    Bitmap.Config config = drawable.getOpacity() != PixelFormat.OPAQUE 
                ? Bitmap.Config.ARGB_8888
                : Bitmap.Config.RGB_565;
   //建立對應的bitmap
    Bitmap bitmap = Bitmap.createBitmap(width, height, config);
    //建立對應的bitmap的畫布
    Canvas canvas = new Canvas(bitmap);
    drawable.setBounds(0, 0, width, height);
    //把drawable內容畫到畫布中
    drawable.draw(canvas);
    return bitmap;
}

3. 整個流程的執行

後來發現一個更簡潔的方法

/**
 * 將本地資源圖片大小縮放
 * @param resId
 * @param w
 * @param h
 * @return
 */
 public Drawable zoomImage(int resId, int w, int h){
    Resources res = mContext.getResources();
    Bitmap oldBmp = BitmapFactory.decodeResource(res, resId);
    Bitmap newBmp = Bitmap.createScaledBitmap(oldBmp,w, h, true);
    Drawable drawable = new BitmapDrawable(res, newBmp);
    return drawable;
}

原來複雜的思路

/**
 * 縮放Drawable
 *@drawable 原來的Drawable
 *@w 指定的寬
 *@h 指定的高
 */
public Drawable zoomDrawable(Drawable drawable, int w, int h){
    //獲取原來Drawable的寬高
    int width = drawable.getIntrinsicWidth();
    int height = drawable.getIntrinsicHeight();
    //將Drawable轉換成Bitmap
    Bitmap oldbmp = drawableToBitmap(drawable);
    //計算scale
    Matrix matrix = new Matrix();
    float scaleWidth = ((float)w/width);
    float scaleHeight = ((float)h/height);
    matrix.postScale(scaleWidth, scaleHeight);
    //生成新的Bitmap
    Bitmap newbmp = Bitmap.createBitmap(oldbmp, 0, 0, width, height, matrix, true);
    //設定bitmap轉成drawable後尺寸不變 
    //這個很關鍵後面解釋!!
    DisplayMetrics metrics = new DisplayMetrics();
    manager.getDefaultDisplay().getMetrics(metrics);
    Resources resources = new Resources(mContext.getAssets(), metrics, null);
    return new BitmapDrawable(resources, newbmp);
}

學習中遇到的問題

看網上的教程是沒有下面

DisplayMetrics metrics = new DisplayMetrics();
manager.getDefaultDisplay().getMetrics(metrics);
Resources resources = new Resources(mContext.getAssets(), metrics, null);

這段程式碼的。
假如我指定的寬高是200,生成的Drawable的寬高卻只有100。

原來Bitmap轉換成Drawable的尺寸是會變小的。

那段程式碼就能解決尺寸變小的問題。
如果路過的大神有更好的方法,希望能指點一下小白。


好好學習,天天向上。<( ̄oo, ̄)/

 

Potato_zero.jpg



作者:歡樂的樂
連結:https://www.jianshu.com/p/d3ff021b7fec
來源:簡書
簡書著作權歸作者所有,任何形式的轉載都請聯絡作者獲得授權並註明出處。