如何检查折线是否已添加到地图?
我尝试了以下代码,但似乎无法正常工作
for (MKPolyline *feature1 in self.mapView.overlays) {
NSLog(@"feature1.title: %@", feature1.title);
NSLog(@"Polu.title: %@", polu.title);
if (![feature1.title isEqualToString:polu.title]) {
NSLog(@"NOT");
[self.mapView addOverlay:polu];
}
else {
NSLog(@"Already added");
}
}
}
我也尝试过这个:
if (![self.mapView.overlays containsObject:polu]) {
NSLog(@"NOT");
[self.mapView addOverlay:polu];
}
最佳答案
当前的for
循环假定该覆盖存在或不存在,只要它找到另一个标题不匹配的覆盖即可。
但是到那时,for
循环可能尚未检查其余的叠加层(其中一个可能就是您要寻找的叠加层)。
例如:
polu
)的标题为C。for
循环继续并查看B。同样,由于B与C不匹配,因此现有代码添加了另一个名为C的覆盖图。相反,您想在找到匹配的标题时停止循环,如果循环结束时未找到匹配项,则添加叠加层。
例:
BOOL poluExists = NO;
for (MKPolyline *feature1 in self.mapView.overlays) {
NSLog(@"feature1.title: %@", feature1.title);
NSLog(@"Polu.title: %@", polu.title);
//STOP looping if titles MATCH...
if ([feature1.title isEqualToString:polu.title]) {
poluExists = YES;
break;
}
}
//AFTER the loop, we know whether polu.title exists or not.
//If it existed, loop would have been stopped and we come here.
//If it didn't exist, loop would have checked all overlays and we come here.
if (poluExists) {
NSLog(@"Already added");
}
else {
NSLog(@"NOT");
[self.mapView addOverlay:polu];
}
在问题的第二个示例中,
containsObject:
仅在polu
是首次调用addOverlay
时给定的原始对象的情况下才起作用,因为在这种情况下,containsObject:
将比较指针地址,而不是覆盖图的title
属性。关于ios - 检查是否已存在MKPolyline叠加层,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28947818/