如何清除实体并在添加具有魔法记录的新记录之后

时间:2017-06-08 12:22:03

标签: ios core-data magicalrecord

当我请求新数据时,我想在添加新闻之前删除所有记录。有时,记录的旧数据和新数据之间没有任何变化。

这是我尝试的但我的新记录从未保存过(总是保存0条记录)

当我请求数据时:

Autorisation* aut = [Autorisation MR_createEntity];
// setter method

当我想保存时:

+(void)saveAutorisationList:(NSMutableArray*)autorisationList{
    NSManagedObjectContext* localContext = [NSManagedObjectContext MR_defaultContext];
    for (Autorisation* aut in [self getAutorisationList]) {
      [aut MR_deleteEntityInContext:localContext];  // method that return all Autorisation
    }
    [localContext MR_saveToPersistentStoreWithCompletion:^(BOOL contextDidSave, NSError * error) {
        for (Autorisation* aut in autorisationList) {
            [aut MR_inContext:localContext];
        }
        [localContext MR_saveToPersistentStoreWithCompletion:nil];
    }];
}

+(NSMutableArray*)getAutorisationList {
    NSManagedObjectContext* localContext = [NSManagedObjectContext MR_defaultContext];
    return [[Autorisation MR_findAllInContext:localContext] mutableCopy];
}

1 个答案:

答案 0 :(得分:1)

这里发生的是您要删除所有对象,包括您要保存的对象。这是一步一步发生的事情:

+(void)saveAutorisationList:(NSMutableArray*)autorisationList {
    // as it seems, here autorisationList is a list of new objects you want to save.

    NSManagedObjectContext* localContext = [NSManagedObjectContext MR_defaultContext];

错误的行为从这里开始:

    for (Autorisation* aut in [self getAutorisationList]) {

此处getAutorisationList获取了当前存在于localContext中的所有对象,旧的+新对象。

      [aut MR_deleteEntityInContext:localContext];  
      // here you deleted each Autorisation object currently existing, including those you want to save
    }
    ...
}

相反,您应该在收到的内容和之前存在的内容之间找到差异,并仅删除那些未通过更新收到的对象。

E.g。想象你有一组对象OldSet = {auth1, auth2, auth3},并且通过更新你收到了对象NewSet = {auth2, auth3, auth4}。 删除的差异将是

ToBeDeletedSet = OldSet - NewSet = {auth1}

通过这种方式,您将保留您拥有的记录,并保存新记录。

然后,您的保存方法将如下所示:

+(void)saveAutorisationList:(NSMutableArray*)updatedAutorisationList{
    NSManagedObjectContext* localContext = [NSManagedObjectContext MR_defaultContext];
    NSMutableArray *oldAutorisationList = [self getAutorisationList];
    [oldAutorisationList removeObjectsInArray: updatedAutorisationList];
    for (Autorisation* aut in oldAutorisationList) {
      [aut MR_deleteEntityInContext:localContext];  // method that return all Autorisation
    }
    [localContext MR_saveToPersistentStoreWithCompletion:^(BOOL contextDidSave, NSError * error) {
        for (Autorisation* aut in updatedAutorisationList) {
            [aut MR_inContext:localContext];
        }
        [localContext MR_saveToPersistentStoreWithCompletion:nil];
    }];
}