CAShapeLayer 简介:
<li> CAShapeLayer继承于CALayer,可以使用CALayer的全部属性;
<li> CAShapeLayer需要和贝塞尔曲线结合使用才更有意义。贝塞尔曲线可以为其提供形状,而单独使用CAShapeLayer是没有任何意义的;
<li> 使用CAShapeLayer与贝塞尔曲线可以实现不在View的DrawRect方法中画出一些想要的图形。
贝塞尔曲线(UIBezierPath) 简介:
<li> UIBezierPath这个类在UIKit中,是CoreGraphics框架关于路径path的一个封装,使用此类可以定义简单的形状。
<li> UIBezierPath对象是对CGPathRef数据类型的封装。一般使用UIBezierPath都是在重写View的-drawRect方法中使用 ,
步骤:
1. 重写 -drawRect方法;
2. 创建UIBezierPath对象;
3. 使用方法 -moveToPoint 设置初始点;
4. 根据具体要求使用UIBezierPath类的实例方法(画线、矩形、圆形 等等)
5. 设置UIBezierPath对象的相关属性(eg: lineWidth 、lineJoinStyle 、aPath.lineCapStyle 、color 等等);
6. 使用行程或者填充方法结束绘图。
关于CAShapeLayer和DrawRect的比较:
<li>drawRect:drawRect属于CoreGraphics框架,占用CPU,消耗性能大;
<li>CAShapeLayer:CAShapeLayer属于CoreAnimation框架,通过GPU来渲染图形,节省性能,动画渲染直接提交给手机GPU,不消耗内存。
CAShapeLayer的使用:
<li>绘制特别的形状
1、CAShapeLayer有一个神奇的属性 - Path ,用这个属性配合上UIBezierPath这个类就可以达到神奇的效果。
/** CAShapeLayer */
// 创建path
UIBezierPath * path = [[UIBezierPath alloc] init];
[path moveToPoint:CGPointMake(80, 180)];
[path addCurveToPoint:CGPointMake(300, 180) controlPoint1:CGPointMake(100, 80) controlPoint2:CGPointMake(250, 280)];
// 创建CAShapeLayer
CAShapeLayer * shapelayer = [[CAShapeLayer alloc] init];
// 添加到要要显示的View的图层中
[self.view.layer addSublayer:shapelayer];
// 将需要绘制的曲线交给shapelayer对象
shapelayer.path = path.CGPath;
// 填充颜色
shapelayer.fillColor = [UIColor redColor].CGColor;
// 曲线的颜色
shapelayer.strokeColor = [UIColor orangeColor].CGColor;
// 曲线的宽度
shapelayer.lineWidth = 10;
总结:可以不需要通过重写-drawRect方法去实现图形的绘制,更加的随机,高性能。
2、一些特殊的图形也可以通过CAShapeLayer绘制出来,如:
// 设置绘制图形的大小
CGSize finalSize = CGSizeMake(CGRectGetWidth(self.view.frame), 600);
CGFloat layerHeight = finalSize.height * 0.2;
// 创建shapeLayer
CAShapeLayer *bottomCurveLayer = [[CAShapeLayer alloc]init];
// 创建path
UIBezierPath *path = [[UIBezierPath alloc]init];
// 设置起点
[path moveToPoint:CGPointMake(0, finalSize.height - layerHeight)];
// 左侧的边线
[path addLineToPoint:CGPointMake(0, finalSize.height - 1)];
// 底部的边线
[path addLineToPoint:CGPointMake(finalSize.width, finalSize.height - 1)];
// 右侧的边线
[path addLineToPoint:CGPointMake(finalSize.width, finalSize.height - layerHeight)];
// 顶部的曲线
[path addQuadCurveToPoint:CGPointMake(0, finalSize.height - layerHeight) controlPoint:CGPointMake(finalSize.width / 2, (finalSize.height - layerHeight) - 40)];
// UIBezierPath提高需要绘制的图形,交给CAShapeLayer对象渲染图形
bottomCurveLayer.path = path.CGPath;
bottomCurveLayer.fillColor = [UIColor orangeColor].CGColor;
[self.view.layer addSublayer:bottomCurveLayer];
总结:UIBezierPath提供需要绘制的图形,而CAShapeLayer提供图形的渲染显示到View,不需要在重写-drawRect中拿到图形上下文。