在缩放的画布上测量文字
我一直在努力与文字测量和缩放画布。
当画布未缩放时,getTextBounds和measureText会提供准确的结果。 但是,当缩放画布时,两种方法都不会提供与打印文本的实际大小相匹配的结果。
为了测试,我用下面的onDraw方法创建了一个View的子类:
final float scaling = 0.51f;
final int fontSize = 50;
canvas.scale(scaling, scaling);
font = Typeface.create("Arial", Typeface.NORMAL);
Paint paint = new Paint();
paint.setColor(0xff4444ff);
paint.setTypeface(font);
paint.setTextSize(fontSize);
paint.setAntiAlias(true);
int x = 10;
int y = 100;
final String text = "Lorem ipsum dolor sit amet, consectetur adipisici elit...";
canvas.drawText(text, x, y, paint);
// draw border using getTextBounds
paint.setColor(0xffff0000);
paint.setStyle(Paint.Style.STROKE);
paint.setTypeface(font);
paint.setTextSize(fontSize);
Rect bounds = new Rect();
paint.getTextBounds(text, 0, text.length(), bounds);
bounds.offset(x, y);
paint.setColor(0x80ffff00);
canvas.drawRect(bounds, paint);
// draw border using measureText
float w = paint.measureText(text);
bounds.left = x;
bounds.right = (int) Math.ceil(bounds.left + w);
bounds.top -= 10;
bounds.bottom += 10;
paint.setColor(0x8000ffff);
paint.setPathEffect(new DashPathEffect(new float[] { 10, 10 }, 0));
canvas.drawRect(bounds, paint);
为缩放= 0.5我得到以下输出:
对于缩放= 0.51,显示以下结果:
黄色实心边框表示从getTextBounds传递的矩形,虚线青色矩形使用measureText传递的宽度进行渲染。
如您所见,缩放比例= 0.5的文本小于测量的尺寸,缩放比例= 0.51,绘制的文本比测量的尺寸大得多。
任何帮助表示赞赏!
好吧,只是发现如何绕过这个问题。
问题在于Paint不知道画布缩放。 因此,measureText和getTextBounds将传递未缩放的结果。 但是,由于字体大小不会线性缩放(但是,绘制的矩形可以),所以您必须手动弥补该效果。
所以解决方案是:
// paint the text as usual
Paint paint = new Paint();
paint.setTypeface(font);
paint.setTextSize(fontSize);
canvas.drawText(text, x, y, paint);
// measure the text using scaled font size and correct the scaled value afterwards
Paint paint = new Paint();
paint.setTypeface(font);
paint.setTextSize(fontSize * scaling);
float w = paint.measureText(text) / scaling;
使用Mono for Android我不得不使用如下所示的显示指标:
public override System.Drawing.SizeF MeasureString(MyFont f, string text)
{
Rect r = new Rect();
f.DrawingFont.GetTextBounds(text, 0, text.Length, r);
//Manual scaling using DisplayMetrics due to Android
//issues for compatibility with older versions
Android.Util.DisplayMetrics metrics = new Android.Util.DisplayMetrics();
GetDisplay.GetMetrics(metrics);
return new System.Drawing.SizeF(r.Width(), r.Height() * metrics.Density);
}
其中f.DrawingFont是Androdid.Text.TextPaint GetDisplay是:
private Display GetDisplay()
{
return this.GetSystemService(Android.Content.Context.WindowService).JavaCast<Android.Views.IWindowManager>().DefaultDisplay;
}
Java中的相同方法是:
private Display getDisplay() {
return ((WindowManager) getContext().getSystemService(
Context.WINDOW_SERVICE)).getDefaultDisplay();
}
链接地址: http://www.djcxy.com/p/55405.html