我的图像位于图像视图中。我想在图像中找到特定像素的颜色(比如x = 10,y = 20)。工作代码真的会帮助我。
答案 0 :(得分:1)
这在很大程度上取决于图像的类型:)
如果您有字节数据,并且知道它是如何排列的,例如PNG使用RGBA,那么您就可以了。
自由使用所有CGImageFunctions如CGImageGetBitsPerComponent和CGImageGetColorSpace将是您的指南。
要获取实际的字节数据,CGImageDestinationCreateWithData创建一个写入Core Foundation可变数据对象的图像目标(NSMutableData * / CFMutableDataRef)
如果所有这些都是胡言乱语,请从Quart2D Programming Guide开始。
答案 1 :(得分:0)
这是一个非常简单的类的sceleton,可以将图像用作位图。 使用
创建此对象时ImageBitmap * imageBitmap = [[ImageBitmap alloc] initWithImage:myImageView.image bitmapInfo:kCGImageAlphaNoneSkipLast];
您可以访问(x,y)处的任何像素 如
Byte * pixel = [imageBitmap pixelAtX:x Y:y];
RGB组件为0,1,2字节,所以
Byte red = pixel[0]; etc.
你可以读取或写入像素,例如从像素中删除绿色成分:
pixel[1] = 0;
如果使用kCGImageAlphaPremultipliedLast像素[3]是alpha
//ImageBitmap.h
@interface ImageBitmap : NSObject {
int height, width;
void * contextData;
CGContextRef context;
CGBitmapInfo bitmapInfo;
}
@property(assign) int height;
@property(assign) int width;
@property(readonly) CGContextRef context;
@property(readonly) void * contextData;
-(id)initWithSize:(CGSize)size bitmapInfo:(CGBitmapInfo)bmInfo;
-(id)initWithImage:(UIImage *)image bitmapInfo:(CGBitmapInfo)bmInfo;
-(CGContextRef)createBitmapContextWithData:(void *)data;
- (UIImage *)imageFromContext;
-(Byte *)pixelAtX:(NSInteger)pixelX Y:(NSInteger)pixelY;
//ImageBitmap.m
#import "ImageBitmap.h"
@implementation ImageBitmap
@synthesize width, height;
@synthesize context, contextData;
-(id)initWithSize:(CGSize)size bitmapInfo:(CGBitmapInfo)bmInfo{
if (self = [super init]) {
height = size.height;
width = size.width;
contextData = malloc(width * height * 4);
bitmapInfo = bmInfo;
context = [self createBitmapContextWithData:contextData];
}
return self;
}
-(id)initWithImage:(UIImage *)image bitmapInfo:(CGBitmapInfo)bmInfo{
[self initWithSize:image.size bitmapInfo:bmInfo];
CGContextDrawImage(context, CGRectMake(0, 0, width, height),image.CGImage);
return self;
}
-(CGContextRef) createBitmapContextWithData:(void *)data{
CGContextRef ctx = NULL;
int bitmapBytesPerRow = (width * 4);
CGColorSpaceRef colorSpace = CGColorSpaceCreateDeviceRGB();
if (data == NULL){
return NULL;
}
ctx = CGBitmapContextCreate (data,
width,
height,
8, // bits per component
bitmapBytesPerRow,
colorSpace,
bitmapInfo); //kCGImageAlphaNoneSkipLast or kCGImageAlphaPremultipliedLast
CGColorSpaceRelease( colorSpace );
return ctx;
}
- (UIImage *)imageFromContext{
CGImageRef cgImage = CGBitmapContextCreateImage(context);
return [UIImage imageWithCGImage:cgImage];
}
-(Byte *)pixelAtX:(NSInteger)pixelX Y:(NSInteger)pixelY{
return (Byte *)contextData + (width * pixelY + pixelX)*4;
}
@end