2

我创建了一个应用程序,我想在其中在谷歌地图上显示文本。我选择使用自定义标记,但它们只能是图像,因此我决定使用 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吗?

4

2 回答 2

3

我从 SkiaSharp GitHub 上的 Matthew Leibowitz 那里得到以下答案:

您可能没有先清除画布/位图。

您可以执行 bitmap.Erase(SKColors.Transparent) 或 canvas.Clear(SKColors.Transparent) (您可以使用任何颜色)。

原因是性能。创建新位图时,计算机无法知道您想要什么背景颜色。所以,如果它是透明的并且你想要白色,那么将有两个绘制操作来清除像素(这对于大图像来说可能非常昂贵)。

在分配位图的过程中,提供了内存,但没有触及实际数据。如果之前有任何东西(将会有),则此数据显示为彩色像素。

于 2017-09-16T18:36:37.570 回答
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 中的一个错误。为您创建缓冲区的示例/api 可能应该将其归零。根据平台的不同,由于内存分配的行为不同,因此可能很难重现。或多或少可能会为您提供未受影响的记忆。

于 2017-09-15T00:23:33.403 回答