[iOS]UIImageView增加圆角

"如何给一个UIImageView增加圆角?有几种方法?各自区别?"

备注:本文参考自http://www.jianshu.com/p/d1954c9a4426

UIImageView *poImgView = [[UIImageView alloc]init];

方案A(基本方案):

poImgView.layer.cornerRadius = poImgView.frame.size.width/2.0;

poImgView.layer.masksToBounds = YES;
(或者 poImgView.clipsToBounds = YES;)

备注:clipsToBounds是对view的切割,masksToBounds是对layer的切割

性能消耗:
这个是离屏渲染(off-screen-rendering),对性能消耗比较大
fps大致在45帧左右(每个cell 做2个imageview)

|

方案B:

CAShapeLayer *layer = [CAShapeLayer layer];
UIBezierPath *aPath = [UIBezierPath bezierPathWithOvalInRect:aImageView.bounds];
layer.path = aPath.CGPath;
poImgView.layer.mask = layer;

性能消耗:
测试fps大致在20帧左右,比方案A的消耗更大

方案C:

- (UIImage *)imageWithCornerRadius:(CGFloat)radius {
CGRect rect = (CGRect){0.f, 0.f, self.size}; UIGraphicsBeginImageContextWithOptions(self.size, NO, UIScreen.mainScreen.scale);
CGContextAddPath(UIGraphicsGetCurrentContext(),
[UIBezierPath bezierPathWithRoundedRect:rect cornerRadius:radius].CGPath);
CGContextClip(UIGraphicsGetCurrentContext()); [self drawInRect:rect];
UIImage *image = UIGraphicsGetImageFromCurrentImageContext(); UIGraphicsEndImageContext(); return image;
}

性能消耗:
这个是on-screen-rendering
相当于时时去做渲染,相比于A.B方案的离线渲染,此方法对性能消耗最低,推荐用此方案。

说明

方案A和方案B都是比较常见的方式,但是都不推荐,对此的优化方案是是用C,但是如果费用使用A或者B方案,补救措施是:

  1.栅格化:将cell的所有内容生成一张独立的图像,在屏幕滚动时,只显示图像;这将隐式的创建一个位图,各种阴影遮罩等效果也会保存到位图中并缓存起来,从而减少渲染的频度(不是矢量图);这个命令会让视图渲染的内容被缓存下来,下一次绘制的时候直接显示缓存。

  self.layer.shouldRasterize = YES;

  2.指定分辨率,否则默认使用 *1 的图像,需要指定和屏幕相匹配的分辨率

  self.layer.rasterizationScale = [UIScreen mainScreen].scale;
05-06 23:03