0

我有一个 UIImage 显示从网上下载的照片。我想知道以编程方式发现图像是黑白还是彩色。

4

1 回答 1

3

如果您不介意计算密集型任务并且希望完成工作,请检查图像的每个像素。

这个想法是检查每个单个像素的所有 RGB 通道是否相似,例如 RGB 45-45-45 的像素是灰色的,还有 43-42-44 因为所有通道都彼此靠近。我在看每个频道都有一个相似的值(我使用的阈值为 10,但它只是随机的,你必须做一些测试)

一旦你有足够多的像素超过你的阈值,你就可以打破循环,将图像标记为彩色

代码未经测试,只是一个想法,希望没有泄漏。

// load image 
CGImageRef imageRef = yourUIImage.CGImage
CFDataRef cfData = CGDataProviderCopyData(CGImageGetDataProvider(imageRef));
NSData * data = (NSData *) cfData;
char *pixels = (char *)[data bytes];

const int threshold = 10; //define a gray threshold

for(int i = 0; i < [data length]; i += 4)
{
    Byte red = pixels[i];
    Byte green = pixels[i+1];
    Byte blue = pixels[i+2];

    //check if a single channel is too far from the average value. 
    //greys have RGB values very close to each other
    int average = (red+green+blue)/3; 
    if( abs(average - red) >= threshold ||
        abs(average - green) >= threshold ||
        abs(average - blue) >= threshold )
    { 
        //possibly its a colored pixel.. !! 
    }
}
CFRelease(cfData);
于 2013-02-28T23:52:28.843 回答