我希望结束的是使用重写的-(void)drawRect:(CGRect)rect方法绘制到屏幕上的Core Graphics CGImageRef。这是我到目前为止所得到的。

- (void)drawRect:(CGRect)rect
{
    CGContextRef currentContext = UIGraphicsGetCurrentContext();

    const CGFloat _x = CGRectGetMinX(rect);
    const CGFloat _y = CGRectGetMinY(rect);
    const CGFloat _w = CGRectGetWidth(rect);
    const CGFloat _h = CGRectGetHeight(rect);

    const CGFloat scale = [[UIScreen mainScreen] scale];

    const int pixelsWide = (_w * scale);
    const int pixelsHigh = (_h * scale);

    const size_t colorValues = 4;
    const int rawMemorySize = (pixelsWide * pixelsHigh * colorValues);

    // raw pixel data memory
    UInt8 pixelData[rawMemorySize];

    // fill the raw pixel buffer with arbitrary gray color for test

    for(size_t ui = 0; ui < rawMemorySize; ui++)
    {
        pixelData[ui] = 255; // black
    }

    CGColorSpaceRef colorspace = CGColorSpaceCreateDeviceRGB();
    CFDataRef rgbData = CFDataCreate(NULL, pixelData, rawMemorySize);
    CGDataProviderRef provider = CGDataProviderCreateWithCFData(rgbData);

    CGImageRef rgbImageRef = CGImageCreate(pixelsWide, pixelsHigh, 8, (colorValues * colorValues), (pixelsWide * colorValues), colorspace, kCGBitmapByteOrderDefault, provider, NULL, true, kCGRenderingIntentDefault);

    CFRelease(rgbData);
    CGDataProviderRelease(provider);
    CGColorSpaceRelease(colorspace);

    //Draw the bitmapped image
    CGContextDrawImage(currentContext, CGRectMake(_x, _y, pixelsWide, 64), rgbImageRef);
    CGImageRelease(rgbImageRef);
}

我在for循环中抛出了EXC_BAD_ACCESS错误。

我想我已经接近了,但我不确定。有什么想法可能是罪魁祸首吗?先感谢您 :)

最佳答案

还有两件事要注意。

drawRect的rect参数只是脏矩形,它可能比self.bounds小。除非您的代码已优化为仅绘制脏矩形,否则请使用self.bounds

在堆栈上分配pixelData数组是一个坏主意,并且可能是导致错误的原因。这完全取决于 View 的大小。我怀疑AaronGolden使用的 View 比您要小,因此没有任何问题。用calloc数组,并在使用完之后最后将其释放是比较安全的。请注意,calloc会将数组清除为透明黑色。

这是我过去用来做这种事情的一些示例代码。即使像素数组是使用calloc创建的,您仍然可以像标准数组一样访问它(例如pixels[100] = 0xff0000ff;是完全有效的)。但是,出于性能原因,我通常使用指针来访问单个像素。

const CGFloat scale = [[UIScreen mainScreen] scale];
int width  = self.bounds.size.width  * scale;
int height = self.bounds.size.height * scale;

uint32_t *pixels = calloc( width * height, sizeof(uint32_t) );
CGColorSpaceRef colorSpace = CGColorSpaceCreateDeviceRGB();
CGContextRef context = CGBitmapContextCreate( pixels, width, height, 8, width * sizeof(uint32_t), colorSpace, kCGBitmapByteOrder32Big | kCGImageAlphaPremultipliedLast );

uint8_t *bufptr = (uint8_t *)pixels;
for ( int y = 0; y < height; y++)
{
    for ( int x = 0; x < width; x++ )
    {
        bufptr[0] = redValue;
        bufptr[1] = greenValue;
        bufptr[2] = blueValue;
        bufptr[3] = alphaValue;

        bufptr += 4;
    }
}

CGImageRef newCGImage = CGBitmapContextCreateImage( context );
CGContextRelease( context );
CGColorSpaceRelease( colorSpace );
free( pixels );

关于c++ - 如何从自定义数据流编写CoreGraphics CGImageRef?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/24792899/

10-14 23:27