如何检查折线是否已添加到地图中?
我已经尝试了以下代码,但它似乎无法正常工作
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];
}
答案 0 :(得分:2)
当前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
属性。