简体   繁体   English

核心数据 iPhone - 根据日期保存/加载

[英]Core Data iPhone - Save/Load depending on Date

I have built my application using core data but I am having trouble how to work out saving and loading.我已经使用核心数据构建了我的应用程序,但在如何进行保存和加载时遇到了麻烦。

I have a UIDatePicker.我有一个 UIDatePicker。 I have a UITextView.我有一个 UITextView。

I want to save what the user types in the UITextView.我想保存用户在 UITextView 中键入的内容。 Then I want to load that text back into the UITextView if the user selects the same date they originally saved it on.然后我想将该文本加载回 UITextView 如果用户选择了他们最初保存它的同一日期。

Like a calendar.就像日历一样。

Edit编辑

Here is my appDelegate.h这是我的 appDelegate.h

#import <UIKit/UIKit.h>
#import <CoreData/CoreData.h>

@class coreDataViewController;

@interface OrganizerAppDelegate : NSObject <UIApplicationDelegate> {
    
    NSManagedObjectModel *managedObjectModel;
    NSManagedObjectContext *managedObjectContext;
    NSPersistentStoreCoordinator *persistentStoreCoordinator;
    
    coreDataViewController *viewController;
    
    UIWindow *window;
}

@property (nonatomic, retain, readonly) NSManagedObjectModel *managedObjectModel;
@property (nonatomic, retain, readonly) NSManagedObjectContext *managedObjectContext;
@property (nonatomic, retain, readonly) NSPersistentStoreCoordinator *persistentStoreCoordinator;
@property (nonatomic, retain) IBOutlet UIWindow *window;
@property (nonatomic, retain) IBOutlet coreDataViewController *viewController;
- (NSString *)applicationDocumentsDirectory;
@end

appDelegate.m appDelegate.m

#import "OrganizerAppDelegate.h"
#import "coreDataViewController.h"

@implementation OrganizerAppDelegate

@synthesize window;
@synthesize viewController;

@synthesize managedObjectModel;
@synthesize managedObjectContext;
@synthesize persistentStoreCoordinator;

#pragma mark -
#pragma mark Application lifecycle

- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {    

    // Override point for customization after app launch
    [window addSubview:viewController.view];
    [window makeKeyAndVisible];

    return YES;
}


- (void)applicationWillResignActive:(UIApplication *)application {
    /*
     Sent when the application is about to move from active to inactive state. This can occur for certain types of temporary interruptions (such as an incoming phone call or SMS message) or when the user quits the application and it begins the transition to the background state.
     Use this method to pause ongoing tasks, disable timers, and throttle down OpenGL ES frame rates. Games should use this method to pause the game.
     */
}


- (void)applicationDidBecomeActive:(UIApplication *)application {
    /*
     Restart any tasks that were paused (or not yet started) while the application was inactive. If the application was previously in the background, optionally refresh the user interface.
     */
}


/**
 applicationWillTerminate: saves changes in the application's managed object context before the application terminates.
 */
- (void)applicationWillTerminate:(UIApplication *)application {
    
    NSError *error = nil;
    if (managedObjectContext != nil) {
        if ([managedObjectContext hasChanges] && ![managedObjectContext save:&error]) {
            /*
             Replace this implementation with code to handle the error appropriately.
             
             abort() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development. If it is not possible to recover from the error, display an alert panel that instructs the user to quit the application by pressing the Home button.
             */
            NSLog(@"Unresolved error %@, %@", error, [error userInfo]);
            abort();
        } 
    }
}


#pragma mark -
#pragma mark Core Data stack

/**
 Returns the managed object context for the application.
 If the context doesn't already exist, it is created and bound to the persistent store coordinator for the application.
 */
- (NSManagedObjectContext *)managedObjectContext {
    
    if (managedObjectContext != nil) {
        return managedObjectContext;
    }
    
    NSPersistentStoreCoordinator *coordinator = [self persistentStoreCoordinator];
    if (coordinator != nil) {
        managedObjectContext = [[NSManagedObjectContext alloc] init];
        [managedObjectContext setPersistentStoreCoordinator:coordinator];
    }
    return managedObjectContext;
}


/**
 Returns the managed object model for the application.
 If the model doesn't already exist, it is created from the application's model.
 */
- (NSManagedObjectModel *)managedObjectModel {
    
    if (managedObjectModel != nil) {
        return managedObjectModel;
    }
    NSString *modelPath = [[NSBundle mainBundle] pathForResource:@"Organizer" ofType:@"momd"];
    NSURL *modelURL = [NSURL fileURLWithPath:modelPath];
    managedObjectModel = [[NSManagedObjectModel alloc] initWithContentsOfURL:modelURL];    
    return managedObjectModel;
}


/**
 Returns the persistent store coordinator for the application.
 If the coordinator doesn't already exist, it is created and the application's store added to it.
 */
- (NSPersistentStoreCoordinator *)persistentStoreCoordinator {
    
    if (persistentStoreCoordinator != nil) {
        return persistentStoreCoordinator;
    }
    
    NSURL *storeURL = [NSURL fileURLWithPath: [[self applicationDocumentsDirectory] stringByAppendingPathComponent: @"Organizer.sqlite"]];
    
    NSError *error = nil;
    persistentStoreCoordinator = [[NSPersistentStoreCoordinator alloc] initWithManagedObjectModel:[self managedObjectModel]];
    if (![persistentStoreCoordinator addPersistentStoreWithType:NSSQLiteStoreType configuration:nil URL:storeURL options:nil error:&error]) {
        /*
         Replace this implementation with code to handle the error appropriately.
         
         abort() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development. If it is not possible to recover from the error, display an alert panel that instructs the user to quit the application by pressing the Home button.
         
         Typical reasons for an error here include:
         * The persistent store is not accessible;
         * The schema for the persistent store is incompatible with current managed object model.
         Check the error message to determine what the actual problem was.
         
         
         If the persistent store is not accessible, there is typically something wrong with the file path. Often, a file URL is pointing into the application's resources directory instead of a writeable directory.
         
         If you encounter schema incompatibility errors during development, you can reduce their frequency by:
         * Simply deleting the existing store:
         [[NSFileManager defaultManager] removeItemAtURL:storeURL error:nil]
         
         * Performing automatic lightweight migration by passing the following dictionary as the options parameter: 
         [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithBool:YES],NSMigratePersistentStoresAutomaticallyOption, [NSNumber numberWithBool:YES], NSInferMappingModelAutomaticallyOption, nil];
         
         Lightweight migration will only work for a limited set of schema changes; consult "Core Data Model Versioning and Data Migration Programming Guide" for details.
         
         */
        NSLog(@"Unresolved error %@, %@", error, [error userInfo]);
        abort();
    }    
    
    return persistentStoreCoordinator;
}


#pragma mark -
#pragma mark Application's Documents directory

/**
 Returns the path to the application's Documents directory.
 */
- (NSString *)applicationDocumentsDirectory {
    return [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) lastObject];
}


#pragma mark -
#pragma mark Memory management

- (void)dealloc {
    
    [managedObjectContext release];
    [managedObjectModel release];
    [persistentStoreCoordinator release];
    
    [window release];
    [super dealloc];
}


@end

viewController.m (the bit that matters anyway, all the code around this can be ignored anyway as its irrelevant, no relation to the UIDatePicker (datePicker) or UITextView (notesView). viewController.m(无论如何重要的一点,所有围绕此的代码都可以被忽略,因为它无关紧要,与 UIDatePicker (datePicker) 或 UITextView (notesView) 无关。

-(void)textViewDidEndEditing:(UITextView *)textView { 
    NSManagedObjectContext *context = [OrganizerAppDelegate managedObjectContext]; 
    NSManagedObject *note = [NSEntityDescription insertNewObjectForEntityForName:@"Notes" inManagedObjectContext:context]; 
    [note setValue:notesView.text forKey:@"text"]; 
    [note valueForKey:@"text"];
    
    NSError *err=nil; if (![context save:&err]) { NSLog(@"Whoops, couldn't save: %@", [err localizedDescription]); } }

    NSDate *dtTemp = [pkrDate.date retain];
    NSDateFormatter *dateFormatter = [[[NSDateFormatter alloc] init] autorelease]; 
    [dateFormatter setDateFormat:@"HH"]; 
    hour = [[dateFormatter stringFromDate:dtTemp]intValue]; 
    [dateFormatter setDateFormat:@"mm"]; 
    mins = [[dateFormatter stringFromDate:dtTemp]intValue]; 
    [dateFormatter setDateFormat:@"ss"]; 
    sec = [[dateFormatter stringFromDate:dtTemp]intValue]; 
    NSTimeInterval *timeInterval = [dtTemp timeIntervalSince1970]; 
    timeInterval = timeInterval - (hour*3600+mins*60+sec); 
    timeStamp = [[NSDate dateWithTimeIntervalSince1970:timeInterval]retain];

- (void) dateChanged:(id)sender{
    
    //Load...
    NSEntityDescription *entityDescription = [NSEntityDescription entityForName:@"Text" inManagedObjectContext:self.managedObjectContext];
    NSFetchRequest *request = [[[NSFetchRequest alloc] init] autorelease];
    [request setEntity:entityDescription];
    
    NSPredicate *predicate = [NSPredicate predicateWithFormat:
                              @"(timeStamp = %@)",datePicker.date];
    [request setPredicate:predicate]; //added this line later
    NSArray *array = [self.managedObjectContext executeFetchRequest:request error:&error];
    //check whether the array has entrys and do something with those objects here
    
    [monTable reloadData];
    [tueTable reloadData];
    [wedTable reloadData];
    [thuTable reloadData];
    [friTable reloadData];
}

When ever you add or edit any object , you should save that object in MOC(ManagedObjectContect).当您添加或编辑任何对象时,您应该将该对象保存在 MOC(ManagedObjectContect) 中。

Here is modified Code:这是修改后的代码:

-(void)textViewDidEndEditing:(UITextView *)textView{
 NSManagedObjectContext *context=[YourAppDelegate managedObjectContext];
 NSManagedObject *note=[NSEntityDescription insertNewObjectForEntityForName:@"Notes" inManagedObjectContext:context];
 [note setValue:notesView.text forKey:@"text"];
 [note valueForKey:@"text"] ;

 NSError *err=nil;
 if (![context save:&err]) {
  NSLog(@"Whoops, couldn't save: %@", [err localizedDescription]);
 }
}

Allright, first of all, try to understand how core data works.好吧,首先,试着理解核心数据是如何工作的。 I think you're pretty close, but programming is all about really knowing what's going on, instead of 'kinda' knowing what's going on.我认为你很接近,但编程就是真正知道发生了什么,而不是“有点”知道发生了什么。 The Getting started with Core Data" guide is quite instructive. 核心数据入门”指南非常有指导意义。

Now about your code (I don't know you're exact data-model and surrounding code, so I'm kinda guessing here).现在关于你的代码(我不知道你是确切的数据模型和周围的代码,所以我在这里有点猜测)。 I'm assuming you have a member called 'datePicker', which refers to the datepicker that you're using.我假设您有一个名为“datePicker”的成员,它指的是您正在使用的日期选择器。

Allright, let me see if I can quickly fix some things in your code, but do be a bit careful.好的,让我看看我是否可以快速修复您的代码中的某些问题,但要小心一点。 I haven't read through every line of your source code, and I haven't tried compiling it, so there will probably still be errors.我没有通读你的源代码的每一行,也没有尝试编译它,所以可能仍然会出现错误。 In the end, you'll still a thorough understanding of the code.最后,您仍将对代码有透彻的了解。

-  (void)textViewDidEndEditing:(UITextView *)textView { 
    NSManagedObjectContext *context = [OrganizerAppDelegate managedObjectContext]; 
    NSManagedObject *note = [NSEntityDescription insertNewObjectForEntityForName:@"Notes" inManagedObjectContext:context]; 
    [note setValue:notesView.text forKey:@"text"]; 

    // Set the timestamp as well.
    [note setValue:datePicker.date forKey:@"timeStamp"];

    NSError *err=nil; if (![context save:&err]) { NSLog(@"Whoops, couldn't save: %@", [err localizedDescription]); } }

/* Beware, we're just storing every edit here, without every throwing anything away. We'll try to display just the latest note in the 'dateChanged', but you might want to delete any previous notes first.*/

/* I don't think this whole dissecting and generating a date is necessary */

- (void) dateChanged:(id)sender{

    //Load...
    NSEntityDescription *entityDescription = [NSEntityDescription entityForName:@"Text" inManagedObjectContext:self.managedObjectContext];
    NSFetchRequest *request = [[[NSFetchRequest alloc] init] autorelease];
    [request setEntity:entityDescription];

    NSPredicate *predicate = [NSPredicate predicateWithFormat:
                              @"(timeStamp = %@)",datePicker.date];
    [request setPredicate:predicate]; //added this line later
    NSArray *array = [self.managedObjectContext executeFetchRequest:request error:&error];

    // Assuming that the last item in the array is the item that was added last. This might or might not be reasonable.
    notesView.text = [[array lastObject] text];

    [monTable reloadData];
    [tueTable reloadData];
    [wedTable reloadData];
    [thuTable reloadData];
    [friTable reloadData];
}

Well if you have a text-entry-entity in your database, just give it an attribute of type date and choose "indexed".好吧,如果您的数据库中有一个文本条目实体,只需给它一个日期类型的属性并选择“索引”。

Then I would start an NSFetchRequest like this:然后我会像这样启动一个 NSFetchRequest:

NSEntityDescription *entityDescription = [NSEntityDescription entityForName:@"Text"
inManagedObjectContext:self.managedObjectContext];
NSFetchRequest *request = [[[NSFetchRequest alloc] init] autorelease];
[request setEntity:entityDescription];

NSPredicate *predicate = [NSPredicate predicateWithFormat:
                            @"(timeStamp = %@)",datepicker.date];
[request setPredicate:predicate]; //added this line later
NSArray *array = [self.managedObjectContext executeFetchRequest:request error:&error];
//check whether the array has entrys and do something with those objects here

when the user changes the date of the datepicker.当用户更改日期选择器的日期时。 The array will be either empty or hold your text-entries.该数组将为空或保存您的文本条目。 Though maybe you should first read through "Developing with Core Data" .虽然也许您应该先通读“使用核心数据进行开发”

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM