3

我以前都UIBezierPath用过CAShapeLayer。但几乎每次都与填充路径中包含的对象一起使用内部颜色。但是这次我想填充UIBezierPath.

我刚刚编写并运行了以下简单代码,试图让自己熟悉该fillRule属性:

CAShapeLayer *myLayer = (CAShapeLayer *) self.layer; //size: 320 X 480
UIBezierPath *testPath = [UIBezierPath bezierPathWithOvalInRect:(CGRect){{100, 100}, 100, 100}]; //a simple circle
myLayer.fillRule = kCAFillRuleNonZero; // have tried this as well: kCAFillRuleEvenOdd;
myLayer.path = testPath.CGPath;
myLayer.fillColor = [UIColor whiteColor].CGColor;

但是颜色仍然填充在里面。我想知道的是,如何填充路径之外的颜色?如果我在fillRule这里使用错误,我想知道是否有其他方法可以实现这一点。提前致谢。

4

1 回答 1

11

主要问题是你不能真正填充形状的外部,因为没有通用的方法来定义它的含义。您需要做的是首先在形状的“外部”周围绘制一条路径,然后将圆圈添加为子路径。你如何做到这一点取决于你想使用哪个填充规则。EvenOdd 是最简单的:

CAShapeLayer *myLayer = (CAShapeLayer *) self.layer;
UIBezierPath *testPath = [UIBezierPath bezierPathWithRect:self.bounds];
[testPath appendPath:[UIBezierPath bezierPathWithOvalInRect:(CGRect){{100, 100}, 100, 100}]];
myLayer.fillRule = kCAFillRuleEvenOdd;
myLayer.path = testPath.CGPath;
myLayer.fillColor = [UIColor whiteColor].CGColor;

NonZero 有点困难,因为您必须强制路径为逆时针方向,这对于大多数 UIBezierPath 便捷方法来说不是一个选项:

CAShapeLayer *myLayer = (CAShapeLayer *) self.layer;
UIBezierPath *testPath = [UIBezierPath bezierPathWithRect:self.bounds];
UIBezierPath *counterClockwise = [UIBezierPath bezierPathWithArcCenter:CGPointMake(100, 100) radius:100 startAngle:0 endAngle:M_PI clockwise:NO];
[counterClockwise appendPath:[UIBezierPath bezierPathWithArcCenter:CGPointMake(100, 100) radius:100 startAngle:M_PI endAngle:0 clockwise:NO]];
[testPath appendPath:counterClockwise];
myLayer.fillRule = kCAFillRuleNonZero;
myLayer.path = testPath.CGPath;
myLayer.fillColor = [UIColor redColor].CGColor;

根据您构建实际路径的方式,它可能不会产生任何影响。

如果您还没有看过它,缠绕规则文档有一些我觉得很有帮助的漂亮图表。

于 2013-10-16T04:01:30.833 回答