:<Error>CGImage创建:无效图像位/像素:8



我正在使用带有Xcode的opencv,我得到了从IplImage转换为UIImage的方法:

-(UIImage *)UIImageFromIplImage:(IplImage *)image {
NSLog(@"IplImage (%d, %d) %d bits by %d channels, %d bytes/row %s", image->width, image->height, image->depth, image->nChannels, image->widthStep, image->channelSeq);
CGColorSpaceRef colorSpace = CGColorSpaceCreateDeviceRGB();
NSData *data = [NSData dataWithBytes:image->imageData length:image->imageSize];
CGDataProviderRef provider = CGDataProviderCreateWithCFData((__bridge  CFDataRef)data);
CGImageRef imageRef = CGImageCreate(image->width, image->height,
                         image->depth, image->depth * image->nChannels, image->widthStep,
colorSpace, kCGImageAlphaPremultipliedLast|kCGBitmapByteOrderDefault,
provider, NULL, false, kCGRenderingIntentDefault);
UIImage *ret = [UIImage imageWithCGImage:imageRef scale:1.0 orientation:UIImageOrientationUp];
CGImageRelease(imageRef);
CGDataProviderRelease(provider);
CGColorSpaceRelease(colorSpace);
return ret;
}

问题是,当我将任何图像传递给此方法(PNG,JPG,TIFF)时,会出现此错误:CGImageCreate:无效的图像位/像素:8,请帮助我解决该错误,谢谢。

如果你的图像是灰色的(不是RGBA),请使用这个:

colorSpace = CGColorSpaceCreateDeviceGray();

从我在应用程序中所做的工作来看,您实际上需要在图像数据中提供 alpha 值。我所做的是将数据从opencv结构中取出,添加一个alpha值,然后创建CGImage。这是我在 C++ API 中使用的代码(如果您坚持使用 C,只需将对 aMat.ptr<>(y) 的调用替换为指向第 y 行第一个像素的指针):

// Colorspace
CGColorSpaceRef colorSpace = CGColorSpaceCreateDeviceRGB();
 unsigned char* data = new unsigned char[4*aMat.cols*aMat.rows];
 for (int y = 0; y < aMat.rows; ++y)
 {
     cv::Vec3b *ptr = aMat.ptr<cv::Vec3b>(y);
     unsigned char *pdata = data + 4*y*aMat.cols;
     for (int x = 0; x < aMat.cols; ++x, ++ptr)
     {
         *pdata++ = (*ptr)[2];
         *pdata++ = (*ptr)[1];
         *pdata++ = (*ptr)[0];
         *pdata++ = 0;
     }
 }
 // Bitmap context
 CGContextRef context = CGBitmapContextCreate(data, aMat.cols, aMat.rows, 8, 4*aMat.cols, colorSpace, kCGImageAlphaNoneSkipLast);
 CGImageRef cgimage = CGBitmapContextCreateImage(context);
 CGColorSpaceRelease(colorSpace);
 CGContextRelease(context);
 delete[] data;

洗牌部分是必要的,因为OpenCV处理BGR图像,而Quartz需要RGB。

最新更新