图像像素数据如何“扫描”图像像素?

时间:2012-01-02 08:49:27

标签: ios uiimage

目标:

查找仅包含黑色和透明像素的图像左侧的第一个黑色像素。

我有什么:

我知道如何获取像素数据,并且有一组黑色和透明像素(在此处找到它:https://stackoverflow.com/a/1262893/358480):

+ (NSArray*)getRGBAsFromImage:(UIImage*)image atX:(int)xx andY:(int)yy count:(int)count
{
 NSMutableArray *result = [NSMutableArray arrayWithCapacity:count];

// First get the image into your data buffer
CGImageRef imageRef = [image CGImage];
NSUInteger width = CGImageGetWidth(imageRef);
NSUInteger height = CGImageGetHeight(imageRef);
CGColorSpaceRef colorSpace = CGColorSpaceCreateDeviceRGB();
unsigned char *rawData = malloc(height * width * 4);
NSUInteger bytesPerPixel = 4;
NSUInteger bytesPerRow = bytesPerPixel * width;
NSUInteger bitsPerComponent = 8;
CGContextRef context = CGBitmapContextCreate(rawData, width, height,
                                             bitsPerComponent, bytesPerRow, colorSpace,
                                             kCGImageAlphaPremultipliedLast | kCGBitmapByteOrder32Big);
CGColorSpaceRelease(colorSpace);

CGContextDrawImage(context, CGRectMake(0, 0, width, height), imageRef);
CGContextRelease(context);

// Now your rawData contains the image data in the RGBA8888 pixel format.
int byteIndex = (bytesPerRow * yy) + xx * bytesPerPixel;
for (int ii = 0 ; ii < count ; ++ii)
{
    NSUInteger alpha = (rawData[byteIndex + 3] * 1.0) / 255.0;
    byteIndex += 4;
    [result addObject:[NSNumber numberWithInt:alpha]];
}

free(rawData);

return result;
}

有什么问题?

我无法理解功能“扫描”图像的顺序。

我想要的只是获取图像的列并找到列表1非透明像素的第一列。这样我就会知道如何裁剪图像左侧透明的一面?

如何按列获取像素?

由于

沙尼

2 个答案:

答案 0 :(得分:4)

字节从左到右,从上到下排序。所以为了做你想做的事情,我想你想像这样循环rawData

int x = 0;
int y = 0;
BOOL found = NO;
for (x = 0; x < width; x++) {
    for (y = 0; y < height; y++) {
        unsigned char alphaByte = rawData[(y*bytesPerRow)+(x*bytesPerPixel)+3];
        if (alphaByte > 0) {
            found = YES;
            break;
        }
    }
    if (found) break;
}

NSLog(@"First non-transparent pixel at %i, %i", x, y);

然后,包含不透明像素的第一列将是列x

答案 1 :(得分:0)

通常,人们会在行上方从上到下遍历图像阵列,并在列上从左到右遍历每一行。在这种情况下,您需要反向:我们想要遍历每一列,从左侧开始,在列中我们遍历所有行并检查是否存在黑色像素。

这将为您提供最左侧的黑色像素:

size_t maxIndex = height * bytesPerRow;
for (size_t x = 0; x < bytesPerRow; x += bytesPerPixel)
{        
    for (size_t index = x; index < maxIndex; index += bytesPerRow)
    {
        if (rawData[index + 3] > 0)
        {
            goto exitLoop;
        }
    }
}
exitLoop:

if (x < bytesPerRow)
{
    x /= bytesPerPixel;
    // left most column is `x`
}

嗯,这等于mattjgalloway,只是略微优化,也更整洁:O

虽然通常允许goto从内循环中放弃两个循环,但它仍然很难看。让我真的很想念D有那些漂亮的流程控制语句......

您在示例代码中提供的功能虽然有所不同。它从图像中的某个位置开始(由xxyy定义),并从起始位置向右移动count像素,继续到下一行。它将这些alpha值添加到我怀疑的某个数组中。

传递xx = yy = 0时,会找到具有特定条件的最顶部像素,而不是最左边的像素。这种转换由上面的代码给出。提醒一下,2D图像只是内存中的一维数组,从左到右的顶行开始,然后继续下一行。做简单的数学运算可以迭代行或列。