0

谁能帮助找出我在这段代码中做错了什么?试图通过 JSON 文件填充核心数据结构

// Create the managed object context
    NSManagedObjectContext *context = managedObjectContext();
    // Save the managed object context
    NSError *error = nil;
    if (![context save:&error]) {
        NSLog(@"Error while saving %@", ([error localizedDescription] != nil) ? [error localizedDescription] : @"Unknown Error");
        exit(1);
    }

    NSError* err = nil;
    NSString* dataPath = [[NSBundle mainBundle] pathForResource:@"Exercises" ofType:@"json"];
    NSArray* Exercises = [NSJSONSerialization JSONObjectWithData:[NSData dataWithContentsOfFile:dataPath]
                                                         options:kNilOptions
                                                          error:&err];
    //NSLog(@"Imported Exercises: %@", Exercises);
    NSManagedObject *object = [NSEntityDescription insertNewObjectForEntityForName:@"Exercise" inManagedObjectContext:context];
    NSString *theJSONString = @"{\"key\":\"value\"}";
    NSError *theError = NULL;
    NSDictionary *jsonDict = [NSDictionary dictionaryWithJSONString:theJSONString error:&theError];

    Exercise *exercise = [NSEntityDescription insertNewObjectForEntityForName:@"Exercise"
                                                       inManagedObjectContext:context];

    [Exercises enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {

        NSDictionary *attributes = [[object entity] attributesByName];
        for (NSString *attribute in attributes) {
            id value = [jsonDict objectForKey:attribute];
            if (value == nil) {
                continue;
            }
            [exercise setValue:value forKey:attribute];
        }
        NSError *error;
        if (![context save:&error]) {
            NSLog(@"Whoops, couldn't save: %@", [error localizedDescription]);
        }
    }];

已编辑:代码现在可以编译,但我在核心数据模型中得到空值。谢谢

4

1 回答 1

1

首先,这不是 SQLite 错误,而是标准的、基本的 Objective-C 错误。即使您没有使用基于 SQLite 的核心数据存储,您也会遇到同样的问题。

让我们从看起来错误发生的地方向后工作,即:

NSDictionary *attributes = [[obj entity] attributesByName];

你在entity打电话obj。但是obj从哪里来?从这里:

[Exercises enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {

好的,所以obj来自Exercises. 里面有什么Exercises

NSArray* Exercises = [NSJSONSerialization
    JSONObjectWithData:[NSData dataWithContentsOfFile:dataPath]
    options:kNilOptions
    error:&err];

Exercises是一系列NSJSONSerialization给你的东西。该JSONObjectWithData:options:error:方法为您提供 JSON 内容的 Cocoa 等效项。它不会为您提供托管对象。在这种情况下,您的 JSON 似乎生成了一个NSDictionary.

所以发生的事情是:

  1. 您使用NSJSONSerialization并获得了一系列字典
  2. 你迭代了那个数组
  3. 您试图调用entity数组的成员,只有数组成员是NSDictionary实例,并且该类没有实现entity.

您的代码永远不会在任何地方创建任何 Core Data 对象。这就是为什么你没有得到任何核心数据对象。您的代码正在崩溃,因为您试图在未实现这些方法的对象上调用 Core Data 方法。

于 2013-08-14T16:13:07.947 回答