本地檔案轉 Drawable

xuhuan_wh發表於2020-12-09
/**
 * 將本地檔案轉換為 Drawable
*/
private Drawable iconDrawable(String file)
{
    if (file == null || file.isEmpty())
    {
        return null;
    }

	Drawable drawable = null;
	try
	{
		FileInputStream fis = new FileInputStream(file);
		Bitmap bitmap  = BitmapFactory.decodeStream(fis);
		drawable = new BitmapDrawable(getResources(), bitmap);
	}
	catch (FileNotFoundException e)
	{
		e.printStackTrace();
	}

	return drawable;
}

或者直接利用:Bitmap bitmap  = BitmapFactory.decodeFile(file); 獲取 Bitmap,再構造出 Drawable。

說到 Bitmap,順便講一下Bitmap 改變圖片尺寸的方法:

下面例子是從 assets 目錄下讀取圖片檔案,並支援改變圖片尺寸返回 Bitmap

/**
 * 將 assets 下的圖片轉換為 Bitmap
 * @param fileName	-- assets 下圖片檔案
 * @param dst_w		-- 輸出寬度(為 0 時原圖尺寸輸出)
 * @param dst_h		-- 輸出高度(為 0 時原圖尺寸輸出)
 * @return Bitmap 圖片
 * 說明:
 *		dst_w / dst_h 任意一值為 0 時,原圖尺寸輸出
 */
private Bitmap imageFromAssetFile(String fileName, int dst_w, int dst_h)
{
	Bitmap image = null;
	try
	{
		AssetManager am = getResources().getAssets();
		InputStream is = am.open(fileName);
		if (is != null)
		{
			image = BitmapFactory.decodeStream(is);
			is.close();
		}
	}
	catch (Exception e)
	{
	}

	if (dst_w == 0 || dst_h == 0)
	{
		return image;
	}

	if (image == null)
    {
		return null;
	}
		
	// 調整圖片大小
	int src_w = image.getWidth();
	int src_h = image.getHeight();
	float scale_w = ((float)dst_w) / src_w;
	float scale_h = ((float)dst_h) / src_h;
	Matrix matrix = new Matrix();
	matrix.postScale(scale_w, scale_h);

	return Bitmap.createBitmap(image, 0, 0, src_w, src_h, matrix, true);
}

 

相關文章