相邻的CAShapeLayer抗锯齿问题

时间:2013-12-10 18:24:02

标签: ios objective-c graphics core-animation quartz-graphics

我正在为饼图的每个切片使用CAShapeLayer绘制饼图。即使一个扇形切片的结束角度等于相邻切片的起始角度,如果切片之间的边界处于一个角度,抗锯齿也会导致每个pice切片之间出现下面的背景颜色。

http://i.stack.imgur.com/Qdu8d.png

我想在仍然使用抗锯齿的同时消除切片之间的微小间隙,因此产生的饼图仍然看起来很平滑。从概念上讲,似乎有一种方法可以将抗锯齿应用于整个CALayer,并且在绘制完所有饼图之后它是饼图切片子层,这样就可以实现这一点......馅饼切片会相互抗锯齿而不是进入背景

我已经玩了很多我想到的CALayer属性,并且很难找到更多关于此的信息。有什么想法吗?

更新:请参阅下面的答案。

2 个答案:

答案 0 :(得分:9)

你可能无法让你的馅饼切片边缘完全没有裂缝。最简单的解决方案是不要尝试。

不要让饼图切片在边缘相交,而是让它们重叠。将第一个切片绘制为完整的光盘:

first slice

然后将第二个切片绘制为完整的光盘,除了第一个切片的适当区域:

second slice

然后将第三个切片绘制为完整的圆盘,除了前两个切片的适当区域:

third slice

等等:

fourth slice fifth slice

这是我的代码:

#import "PieView.h"

@implementation PieView {
    NSMutableArray *slices;
}

- (id)initWithFrame:(CGRect)frame
{
    self = [super initWithFrame:frame];
    if (self) {
        // Initialization code
    }
    return self;
}

- (void)layoutSubviews {
    [super layoutSubviews];
    [self layoutSliceLayers];
}

- (void)layoutSliceLayers {
    if (slices == nil) {
        [self createSlices];
    }
    [slices enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {
        [self layoutSliceLayer:obj index:idx];
    }];
}

static const int kSliceCount = 5;

- (void)createSlices {
    slices = [NSMutableArray arrayWithCapacity:kSliceCount];
    for (int i = 0; i < kSliceCount; ++i) {
        [slices addObject:[self newSliceLayerForIndex:i]];
    }
}

- (CAShapeLayer *)newSliceLayerForIndex:(int)i {
    CAShapeLayer *layer = [CAShapeLayer layer];
    layer.fillColor = [UIColor colorWithWhite:(CGFloat)i / kSliceCount alpha:1].CGColor;
    [self.layer addSublayer:layer];
    return layer;
}

- (void)layoutSliceLayer:(CAShapeLayer *)layer index:(int)index {
    layer.position = [self center];
    layer.path = [self pathForSliceIndex:index].CGPath;
}

- (CGPoint)center {
    CGRect bounds = self.bounds;
    return CGPointMake(CGRectGetMidX(bounds), CGRectGetMidY(bounds));
}

- (UIBezierPath *)pathForSliceIndex:(int)i {
    CGFloat radius = [self radius];
    CGFloat fudgeRadians = 5 / radius;
    UIBezierPath *path = [UIBezierPath bezierPathWithArcCenter:CGPointZero
        radius:radius startAngle:2 * M_PI * i / kSliceCount
        endAngle:2 * M_PI clockwise:YES];
    [path addLineToPoint:CGPointZero];
    [path closePath];
    return path;
}

- (CGFloat)radius {
    CGSize size = self.bounds.size;
    return 0.9 * MIN(size.width, size.height) / 2;
}

@end

答案 1 :(得分:7)

更新: Rob的答案非常好,但可能导致其他抗锯齿问题。我最终通过沿每个扇形切片的端角绘制1pt宽的径向线来“填充”间隙,每条线与相邻切片的颜色相同。这些线条绘制的z索引低于饼图切片,因此它们位于下方。这是他们看起来没有在顶部绘制的饼图:

The filler lines with no slices drawn.

这是最终产品:

Final result with lines underneath and slices on top.