在做android圖片載入的時候,由於手機屏幕受限,很多大圖載入過來的時候,我們要求等比例縮放,比如按照固定的寬度,等比例縮放高度,使得圖片的尺寸比例得到相應的縮放,但圖片沒有變形。顯然按照android:scaleType不能實現,因為會有很多限制,所以必須要自己寫演算法。 通過Picasso來縮放 ...
在做android圖片載入的時候,由於手機屏幕受限,很多大圖載入過來的時候,我們要求等比例縮放,比如按照固定的寬度,等比例縮放高度,使得圖片的尺寸比例得到相應的縮放,但圖片沒有變形。顯然按照android:scaleType不能實現,因為會有很多限制,所以必須要自己寫演算法。
通過Picasso來縮放
其實picasso提供了這樣的方法。具體是顯示Transformation 的 transform 方法。
(1) 先獲取網路或本地圖片的寬高
(2) 獲取需要的目標寬
(3) 按比例得到目標的高度
(4) 按照目標的寬高創建新圖
Transformation transformation = new Transformation() { @Override public Bitmap transform(Bitmap source) { int targetWidth = mImg.getWidth(); LogCat.i("source.getHeight()="+source.getHeight()); LogCat.i("source.getWidth()="+source.getWidth()); LogCat.i("targetWidth="+targetWidth); if(source.getWidth()==0){ return source; } //如果圖片小於設置的寬度,則返回原圖 if(source.getWidth()<targetWidth){ return source; }else{ //如果圖片大小大於等於設置的寬度,則按照設置的寬度比例來縮放 double aspectRatio = (double) source.getHeight() / (double) source.getWidth(); int targetHeight = (int) (targetWidth * aspectRatio); if (targetHeight != 0 && targetWidth != 0) { Bitmap result = Bitmap.createScaledBitmap(source, targetWidth, targetHeight, false); if (result != source) { // Same bitmap is returned if sizes are the same source.recycle(); } return result; } else { return source; } } } @Override public String key() { return "transformation" + " desiredWidth"; } };
之後在Picasso設置transform
Picasso.with(mContext)
.load(imageUrl)
.placeholder(R.mipmap.zhanwei)
.error(R.mipmap.zhanwei)
.transform(transformation)
.into(viewHolder.mImageView);
Transformation 這是Picasso的一個非常強大的功能了,它允許你在load圖片 -> into ImageView 中間這個過成對圖片做一系列的變換。比如你要做圖片高斯模糊、添加圓角、做度灰處理、圓形圖片等等都可以通過Transformation來完成。
參考文章: https://stackoverflow.com/questions/21889735/resize-image-to-full-width-and-variable-height-with-picasso