我有一个数组NSMutableArray,我在其中保存了MKuserlocation类型 - locationArray。 无论如何,我现在想从这个数组中获取数据并将其保存到CLLocationCoordinate2D类型的数组中。 但是因为我在locationArray中保存的所有内容都来自id类型,我如何从中获取坐标并将其保存到第二个数组?
CLLocationCoordinate2D* coordRec = malloc(pathLength * sizeof(CLLocationCoordinate2D));
for(id object in locationArray){
for (int i = 0; i < pathLength; i++)
?????
我不知道这是否可能!
由于
答案 0 :(得分:1)
为什么需要c样式的CLLocationCoordinate2D对象数组?
你走了:
NSArray* userLocations; // contains your MKUserLocation objects...
CLLocationCoordinate2D* coordinates = malloc( userLocations.count * sizeof( CLLocationCoordinate2D) );
for ( int i = 0 ; i < userLocations.count ; i++ )
{
coordinates[i] = [[[userLocations objectAtIndex: i] location] coordinate];
}
答案 1 :(得分:0)
典型的解决方案是创建一个NSObject
子类并定义一个属性CLLOcationCoordinate2D
。实例化并将这些对象添加到数组中。
@interface Coordinate : NSObject
@property (nonatomic) CLLocationCoordinate2D coordinate;
- (id)initWithCoordinate:(CLLocationCoordinate2D)coordinate;
@end
@implementation Coordinate
- (id)initWithCoordinate:(CLLocationCoordinate2D)coordinate
{
self = [super init];
if (self) {
_coordinate = coordinate;
}
return self;
}
@end
然后,因为您的locationArray
是一个MKUserLocation
数组(它本身符合MKAnnotation
),您可以这样做:
NSMutableArray *path;
path = [NSMutableArray array];
for (id<MKAnnotation> annotation in locationArray)
{
// determine latitude and longitude
[path addObject:[[Coordinate alloc] initWithCoordinate:annotation.coordinate]];
}
或创建现有对象类型的数组,例如CLLocation
或MKPinAnnotation
或其他任何类型。
或者,如果此数组是要在地图上绘制的路径,您可能希望避免使用自己的数组,而是创建MKPolyline
。
NSInteger pathLength = [locationArray count];
CLLocationCoordinate2D polylineCoordinates[pathLength]; // note, no malloc/free needed
for (NSInteger i = 0; i < pathLength; i++)
{
id<MKAnnotation> annotation = locationArray[i];
polylineCoordinates[i] = annotation.coordinate;
}
MKPolyline *polyline = [MKPolyline polylineWithCoordinates:polylineCoordinates count:pathLength]
[self.mapView addOverlay:polyline];
这取决于它的目的是什么。但是,如果你可以使用以前的一个避免malloc
和free
的结构,那可能是理想的。这些技术利用Objective-C模式,使其更难泄漏,使用无效指针等。
答案 2 :(得分:0)
您当然应该使用CLLocationCoordinate2DMake
功能
使用MKUserLocation
中的数据或直接从MKUserLocation
中提取信息:
object.location.coordinate // it's a CLLocationCoordinate2D from your 'object' example
或
CLLocationCoordinate2DMake(object.location.coordinate.latitude, object.location.coordinate.longitude)
希望得到这个帮助。