我有一个mapView,它具有34个CAShapeLayer来呈现每个省,以及另一个34 CATextLayer来呈现每个省的名称。我将计算每个省的中心。
现在,我将此mapView添加到UIScrollView中,并且在缩放mapView时,我想重新绘制CATextLayer以使用其他字体Size。因此,缩放后,我将手动删除所有CATextLayer并重新绘制它们,如下所示。
但是,我发现在for循环完成后,确切地说,子层中仍有一些CATextLayer,每次测试时,都不会删除18个CATextLayer。我从未遇到过这个问题,我会错过什么吗?请帮忙,谢谢。
-(void)drawLabelsWithFontSize:(CGFloat)fontSize {
int i = 0;
NSUInteger count = [self.mapView.layer.sublayers count];
for (i = 0; i < count; i++) {
CALayer *layer = self.mapView.layer.sublayers[i];
if ([layer isKindOfClass:[CATextLayer class]]) {
[layer removeFromSuperlayer];
// NSLog(@"%@, %lu",[layer class],i);
} else {
// NSLog(@"%@",[layer class]);
}
}
// at here, some CATextLayer still in self.mapView.layer.sublayers
__block typeof(self) weakSelf = self;
NSDictionary *labelNameAndLocation = [self getLabelNameAndLocationInfo];
NSMutableParagraphStyle *paragraphStyle = [[NSParagraphStyle defaultParagraphStyle] mutableCopy];
paragraphStyle.alignment = NSTextAlignmentCenter;
[labelNameAndLocation enumerateKeysAndObjectsWithOptions:NSEnumerationReverse usingBlock:^(id key, id obj, BOOL *stop) {
if ([(NSString *)key length] > 0) {
NSDictionary *location = (NSDictionary *)obj;
CATextLayer *label = [CATextLayer layer];
CGPoint caculateCenter = CGPointMake([weakSelf longitudeToCoordinate:[location[@"lng"] doubleValue]],[weakSelf latitudeToCoordinate:[location[@"lat"] doubleValue]]);
NSMutableAttributedString *text = [[NSMutableAttributedString alloc]
initWithString:key
attributes:@{NSFontAttributeName:[UIFont systemFontOfSize:fontSize],
NSParagraphStyleAttributeName:paragraphStyle,
NSForegroundColorAttributeName:[UIColor blackColor]}];
CGSize size = [text size];
[label setBounds:CGRectMake(0, 0, size.width, size.height)];
[label setString:text];
label.position = caculateCenter;
label.contentsScale = [[UIScreen mainScreen] scale];
[weakSelf.mapView.layer addSublayer:label];
}
}];
}
最佳答案
您犯了在删除过程中进行迭代的经典错误:
for (i = 0; i < count; i++) {
CALayer *layer = self.mapView.layer.sublayers[i];
if ([layer isKindOfClass:[CATextLayer class]]) {
[layer removeFromSuperlayer];
// NSLog(@"%@, %lu",[layer class],i);
} else {
// NSLog(@"%@",[layer class]);
}
}
更改该
for
行以向下迭代:for (i = count-1; i >= 0; i--) {
原因是,如果从删除子层0开始,所有其他子层将向下移动一个索引。因此,如果删除子层0,而子层1也是文本层,则该文本层现在是子层0,将永远不会被删除,因为继续进行子层1。因此,如您所正确演示的那样,最终将丢失一半其中。
实际上,令您感到惊讶的是,您并没有因此而崩溃,但是我想有这么多的子层,以至于您从未跌倒过阵列的末端。通常会发生崩溃。
关于ios - 调用removeFromSuperlayer后,CATextLayer仍在子层中,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30519665/