Android View 转为Bitmap
最近在开发中遇到一个问题,就是要把View转化成Bitmap然后打印出来。
于是在网上找了各种方法及遇到的问题,特记录之。
最常用的方法:
public Bitmap convertViewToBitmap(View view){
view.setDrawingCacheEnabled(true);
view.buildDrawingCache();
Bitmap bitmap=view.getDrawingCache();
return bitmap;
}
一般情况下,这个方法能够正常的工作。但有时候,生成Bitmap会出现问题(Bitmap全黑色),主要原因是drawingCache的值大于系统给定的值。
可参见这篇文章:http://www.cnblogs.com/devinzhang/archive/2012/06/05/2536848.html。
所以在只需要修改所需的cache值就可以解决问题了:
public Bitmap convertViewToBitmap(View view){
view.measure(MeasureSpec.makeMeasureSpec(0, MeasureSpec.UNSPECIFIED), MeasureSpec.makeMeasureSpec(0, MeasureSpec.UNSPECIFIED));
view.layout(0, 0, view.getMeasuredWidth(), view.getMeasuredHeight());
view.buildDrawingCache();
Bitmap bitmap=view.getDrawingCache();
return bitmap;
}
然而以上的方法适用于View显示在界面上的情况。如果是通过java代码创建的或者inflate创建的,此时在用上述方法是获取不到Bitmap的。因为View在添加到容器中之前并没有得到实际的大小,所以首先需要指定View的大小:
可参见这篇文章:http://blog.csdn.net/a450479378/article/details/53081814。
DisplayMetrics metric =newDisplayMetrics();
getWindowManager().getDefaultDisplay().getMetrics(metric);
intwidth = metric.widthPixels;// 屏幕宽度(像素)
intheight = metric.heightPixels;// 屏幕高度(像素)
View view = LayoutInflater.from(this).inflate(R.layout.view_photo,null,false);
layoutView(view, width, height);//去到指定view大小的函数
private void layoutView(View v,intwidth,intheight) {
// 指定整个View的大小 参数是左上角 和右下角的坐标
v.layout(0,0, width, height);
intmeasuredWidth = View.MeasureSpec.makeMeasureSpec(width, View.MeasureSpec.EXACTLY);
intmeasuredHeight = View.MeasureSpec.makeMeasureSpec(height, View.MeasureSpec.AT_MOST);
/** 当然,measure完后,并不会实际改变View的尺寸,需要调用View.layout方法去进行布局。
* 按示例调用layout函数后,View的大小将会变成你想要设置成的大小。
*/
v.measure(measuredWidth, measuredHeight);
v.layout(0,0, v.getMeasuredWidth(), v.getMeasuredHeight());
}
之后再获取Bitmap就没问题了:
private Bitmap loadBitmapFromView(View v) {
intw=v.getWidth();
inth=v.getHeight();
Bitmapbmp=Bitmap.createBitmap(w, h, Bitmap.Config.ARGB_8888);
Canvasc=newCanvas(bmp);
c.drawColor(Color.WHITE);
/** 如果不设置canvas画布为白色,则生成透明 */
v.layout(0, 0, w, h);
v.draw(c);
return bmp;
}