我创建了一个应用,我想在谷歌地图上显示文字。我选择使用自定义标记,但它们只能是图像,因此我决定使用SkiaSharp从我的文本中创建图像。
private static ImageSource CreateImageSource(string text)
{
int numberSize = 20;
int margin = 5;
SKBitmap bitmap = new SKBitmap(30, numberSize + margin * 2, SKImageInfo.PlatformColorType, SKAlphaType.Premul);
SKCanvas canvas = new SKCanvas(bitmap);
SKPaint paint = new SKPaint
{
Style = SKPaintStyle.StrokeAndFill,
TextSize = numberSize,
Color = SKColors.Red,
StrokeWidth = 1,
};
canvas.DrawText(text.ToString(), 0, numberSize, paint);
SKImage skImage = SKImage.FromBitmap(bitmap);
SKData data = skImage.Encode(SKEncodedImageFormat.Png, 100);
return ImageSource.FromStream(data.AsStream);
}
我创建的图像在最终图像的顶部有难看的文物,我的感觉是,如果我创建多个图像,它们会变得更糟。 我构建了一个示例应用程序,它显示了用于绘制文本的工件和代码。在这里能找到它: https://github.com/hot33331/SkiaSharpExample
如何摆脱这些文物。我使用skia错了吗?
答案 0 :(得分:3)
我在SkiaSharp GitHub上得到了Matthew Leibowitz的以下答案:
您可能无法先清除画布/位图。
你可以做bitmap.Erase(SKColors.Transparent)或canvas.Clear(SKColors.Transparent)(你可以使用任何颜色)。
原因是性能。创建新位图时,计算机无法知道您想要的背景颜色。所以,如果它是透明的并且你想要白色,那么将有两个绘制操作来清除像素(这对于大图像来说可能非常昂贵)。
在分配位图期间,提供了内存,但实际数据未受影响。如果之前有任何东西(将会有),则此数据显示为彩色像素。
答案 1 :(得分:1)
当我之前看到之前,那是因为传递给SkiaSharp的内存没有归零。但是,作为优化,Skia假定传递给它的内存块是预先归零的。因此,如果您的第一个操作是明确的,它将忽略该操作,因为它认为该状态已经是干净的。要解决此问题,您可以手动将传递给SkiaSharp的内存归零。
public static SKSurface CreateSurface(int width, int height)
{
// create a block of unmanaged native memory for use as the Skia bitmap buffer.
// unfortunately, this may not be zeroed in some circumstances.
IntPtr buff = System.Runtime.InteropServices.Marshal.AllocCoTaskMem(width * height * 4);
byte[] empty = new byte[width * height * 4];
// copy in zeroed memory.
// maybe there's a more sanctioned way to do this.
System.Runtime.InteropServices.Marshal.Copy(empty, 0, buff, width * height * 4);
// create the actual SkiaSharp surface.
var colorSpace = CGColorSpace.CreateDeviceRGB();
var bContext = new CGBitmapContext(buff, width, height, 8, width * 4, colorSpace, (CGImageAlphaInfo)bitmapInfo);
var surface = SKSurface.Create(width, height, SKColorType.Rgba8888, SKAlphaType.Premul, bitmap.Data, width * 4);
return surface;
}
编辑:顺便说一句,我认为这是SkiaSharp中的一个错误。为您创建缓冲区的samples / apis可能应该将其归零。由于内存分配的行为不同,因此根据平台而难以重现。或多或少可能为你提供无与伦比的记忆。