2

我的主要问题是存储 Core Data 不支持的数据。我已经将 CLLocation 属性存储为可转换属性。我认为正确的方法是声明一个瞬态坐标属性。但是,我不断收到 EXC_BAD_ACCESS 错误。

编辑:

我当前的子类具有以下接口:

#import <Foundation/Foundation.h>
#import <CoreLocation/CoreLocation.h>

@interface Event : NSManagedObject {

}

@property (nonatomic, retain) NSString* title;
@property (nonatomic, retain) NSDate* timeStamp;
@property (nonatomic, retain) CLLocation *location;

@end

所以我需要添加

@property (nonatomic, readonly) CLLocationCoordinate2D coordinate;

- (void)setCoordinate:(CLLocationCoordinate2D)newCoordinate;

以符合协议。(setCoordinate 是可选的,但如果我想让注释可拖动,我需要它)

在核心数据中,位置属性是可转换的。我在实现中使用@dynamic 来生成访问器。我在整个代码中都使用了这个属性,所以我不想保留它。

我认为最好的解决方法是将核心数据中的坐标属性定义为瞬态,但我并不一定在实现上做错了什么。

- (CLLocationCoordinate2D)coordinate {
    CLLocationCoordinate2D cor = CLLocationCoordinate2DMake(self.location.coordinate.latitude,
    self.location.coordinate.longitude);
    return cor;
}

- (void)setCoordinate:(CLLocationCoordinate2D)newCoordinate {
    CLLocation *newLoc = [[CLLocation alloc] initWithLatitude:newCoordinate.latitude
    longitude:newCoordinate.longitude];
    [self.location release];
    self.location = newLoc;
} 

我尝试了几种方法,但这是最近的一种。

编辑 2: EXC_BAD_ACCESS 在:

_kvcPropertysPrimitiveSetters
4

2 回答 2

3

您可以使 NSManagedObject 子类符合您希望的任何协议,只要该协议不会以某种方式覆盖上下文对实例的管理。MKAnnotation 协议应该是完全安全的。

更新:

您的问题很可能在这里:

- (void)setCoordinate:(CLLocationCoordinate2D)newCoordinate {
    CLLocation *newLoc = [[CLLocation alloc] initWithLatitude:newCoordinate.latitude
                                                    longitude:newCoordinate.longitude];
    [self.location release]; //<-- Don't release properties!
    self.location = newLoc;
}

生成器访问器将为您处理保留。当您直接释放它们时,您会搞砸管理。你也在泄漏newLoc。尝试:

- (void)setCoordinate:(CLLocationCoordinate2D)newCoordinate {
    CLLocation *newLoc = [[CLLocation alloc] initWithLatitude:newCoordinate.latitude
                                                    longitude:newCoordinate.longitude];
    self.location = newLoc;
    [newLoc release];
}
于 2010-07-20T14:20:28.207 回答
1

很高兴知道您在哪里得到 EXC_BAD_ACCESS 错误,但是这里有一些想法。首先,假设有一个外部班级想要打电话给你,setCoordinate:你应该真正改变@propertyto 列表coordinatereadwrite因为你正在向世界发送电话,他们不允许改变这个值。您可以尝试的另一件事是继续并实际发送coordinatesetCoordinate:然后您可以消除您的自定义coordinate方法并允许 Core Data 为您编写一个更快的方法。

于 2010-07-20T19:26:20.947 回答