先上效果图
添加方法
+ (UIImage*)mosaicWithImage:(UIImage *)image
获取图片的宽和高
CGImageRef是定义在QuartzCore框架中的一个结构体指针,用C语言编写CGImageRef 和 struct CGImage * 是完全等价的。这个结构用来创建像素位图,可以通过操作存储的像素位来编辑图片。
CGImageRef imageRef = image.CGImage;
NSUInteger width = CGImageGetWidth(imageRef);
NSUInteger height = CGImageGetHeight(imageRef);
动态获取颜色空间
CGColorSpaceRef colorSpaceRef = CGImageGetColorSpace(imageRef);
创建位图上下文(解析图片信息,绘制图片)
开辟一块内存空间,用于处理马赛克图片
参数一 数据源
参数二 图片宽
参数三 图片高
参数四 表示每一个像素点,每个分量大小(每个8位)像素点由ARGB组成
参数五 每一行的大小 = 宽度*4
参数六 颜色空间
参数七 位图信息(是否需要透明度)
指定bitmap是否包含alpha通道,像素中alpha通道的相对位置,像素组件是整形还是浮点型等信息的字符串
当你调用这个函数的时候,Quartz创建一个位图绘制环境,也就是位图上下文。当你向上下文中绘制信息时,Quartz把你要绘制的信息作为位图数据绘制到指定的内存块。一个新的位图上下文的像素格式由三个参数决定:每个组件的位数,颜色空间,alpha选项。alpha值决定了绘制像素的透明性
CGContextRef contextRef = CGBitmapContextCreate(nil, width, height, 8, width*4, colorSpaceRef, kCGImageAlphaPremultipliedLast);
根据图片上下文,绘制颜色空间的图片
CGContextDrawImage(contextRef, CGRectMake(0, 0, width, height), imageRef);
获取位图像素数组
unsigned char * bitmapData = CGBitmapContextGetData(contextRef);
位图加马赛克,循环遍历每一个像素点
NSUInteger level = 10;
NSUInteger currentIndex,preCurrentIndex;
unsigned char* pixels[4] = {0};
for (NSUInteger i = 0; i < height - 1; i++){
for(NSUInteger j = 0; j < width - 1; j++){
currentIndex = (i * width) + j;
if(i%level == 0){
if(j%level == 0){
memcpy(pixels, bitmapData + 4 *currentIndex, 4);
}else{
memcpy(bitmapData + 4 * currentIndex, pixels, 4);
}
}else{
preCurrentIndex = (i-1) * width + j;
memcpy(bitmapData + 4 * currentIndex, bitmapData + 4 *preCurrentIndex, 4);
}
}
}
获取位图数据集合
NSUInteger size = width * height * 4;
CGDataProviderRef providerRef = CGDataProviderCreateWithData(NULL, bitmapData, size, NULL);
创建马赛克位图
参数一 图片宽
参数二 图片高
参数三 每个像素点,每一个分量的大小
参数四 每一个像素点的大小
参数五 每一行的内存大小
参数六 颜色空间
参数七 位图信息
参数八 数据源
参数九 数据解码器
参数十 是否抗锯齿
参数十一 渲染器
通过这个方法,我们可以创建出一个CGImageRef类型的对象
CGImageRef mosaicImageRef = CGImageCreate(width, height, 8, 4*8, width*4, colorSpaceRef, kCGImageAlphaPremultipliedLast, providerRef, NULL, NO, kCGRenderingIntentDefault);
创建马赛克位图上下文,填充颜色
CGContextRef mosaicContextRef = CGBitmapContextCreate(nil, width, height, 8, width*4, colorSpaceRef, kCGImageAlphaPremultipliedLast);
绘制图片
CGContextDrawImage(mosaicContextRef, CGRectMake(0, 0, width, height), mosaicImageRef);
CGImageRef resultImageRef = CGBitmapContextCreateImage(mosaicContextRef);
UIImage *mosaicImage = [UIImage imageWithCGImage:resultImageRef];
释放内存
CGImageRelease(resultImageRef);
CGImageRelease(mosaicImageRef);
CGColorSpaceRelease(colorSpaceRef);
CGDataProviderRelease(providerRef);
CGContextRelease(contextRef);
CGContextRelease(mosaicContextRef);
返回马赛克图片
return mosaicImage;