3

我正在使用下面的代码来呈现 PDF 页面的预览。但是它正在使用大量内存(每页 2-3MB)。

在设备日志中,我看到:

<Error>: CGBitmapContextInfoCreate: unable to allocate 2851360 bytes for bitmap data

我真的不需要每个颜色通道以 8 位渲染位图。如何更改代码以使其以灰度或每个通道的更少位呈现?

我也可以使用以 x/y 的最大分辨率渲染位图然后将生成的图像缩放到请求的大小的解决方案。CATiledLayer无论如何,PDF将在之后详细呈现。

同样根据 Apple 的文档,CGBitmapContextCreate()如果无法创建上下文(由于内存),则返回 NIL。但是在 MonoTouch 中只有构造函数来创建上下文,因此我无法检查创建是否失败。如果可以的话,我可以跳过伪装者的形象。

UIImage oBackgroundImage= null;
using(CGColorSpace oColorSpace = CGColorSpace.CreateDeviceRGB())
// This is the line that is causing the issue.
using(CGBitmapContext oContext = new CGBitmapContext(null, iWidth, iHeight, 8, iWidth * 4, oColorSpace, CGImageAlphaInfo.PremultipliedFirst))
{
    // Fill background white.
    oContext.SetFillColor(1f, 1f, 1f, 1f);
    oContext.FillRect(oTargetRect);

    // Calculate the rectangle to fit the page into. 
    RectangleF oCaptureRect = new RectangleF(0, 0, oTargetRect.Size.Width / fScaleToApply, oTargetRect.Size.Height / fScaleToApply);
    // GetDrawingTransform() doesn't scale up, that's why why let it calculate the transformation for a smaller area
    // if the current page is smaller than the area we have available (fScaleToApply > 1). Afterwards we scale up again.
    CGAffineTransform oDrawingTransform = oPdfPage.GetDrawingTransform(CGPDFBox.Media, oCaptureRect, 0, true);

    // Now scale context up to final size.
    oContext.ScaleCTM(fScaleToApply, fScaleToApply);
    // Concat the PDF transformation.
    oContext.ConcatCTM(oDrawingTransform);
    // Draw the page.
    oContext.InterpolationQuality = CGInterpolationQuality.Medium;
    oContext.SetRenderingIntent (CGColorRenderingIntent.Default);
    oContext.DrawPDFPage(oPdfPage);

    // Capture an image.
    using(CGImage oImage = oContext.ToImage())
    {
        oBackgroundImage = UIImage.FromImage( oImage );
    }
}
4

2 回答 2

2

我真的不需要每个颜色通道以 8 位渲染位图。

...

using(CGColorSpace oColorSpace = CGColorSpace.CreateDeviceRGB())

您是否尝试过提供不同的色彩空间?

其中位图以 x/y 的最大分辨率呈现

...

using(CGBitmapContext oContext = new CGBitmapContext(null, iWidth, iHeight, 8, iWidth * 4, oColorSpace, CGImageAlphaInfo.PremultipliedFirst))

您也可以控制位图大小和其他直接影响位图所需内存量的参数。

同样根据 Apple 的文档,如果无法创建上下文(由于内存), CGBitmapContextCreate() 将返回 NIL。

如果返回无效对象(如null),则 C# 实例将具有Handle等于IntPtr.Zero。对于任何 ObjC 对象都是如此,因为initcan returnnil而 .NET 构造函数不能 return null

于 2012-05-15T14:05:13.787 回答
2

同样根据 Apple 的文档,如果无法创建上下文(由于内存), CGBitmapContextCreate() 将返回 NIL。但是在 MonoTouch 中只有构造函数来创建上下文,因此我无法检查创建是否失败。如果可以的话,我可以跳过伪装者的形象。

这实际上很容易:

CGBitmapContext context;
try {
    context = new CGBitmapContext (...);
} catch (Exception ex) {
    context = null;
}

if (context != null) {
    using (context) {
        ...
    }
}

或者您也可以将整个 using 子句包含在异常处理程序中:

try {
    using (var context = new CGBitmapContext (...)) {
        ...
    }
} catch {
    // we failed
    oBackgroundImage = null;
}
于 2012-05-16T10:27:25.443 回答