在ViewController中使用自定义Notification处理applicationWillTerminate

Scenario:
    希望在app退出时保存当前View中的UITextView的值,以便在app重新打开时显示用户退出前编辑的内容。 在AppDelegate的applicationWillTerminate中已经包含了保存NSUserDefaults的代码,仅需View在app退出时将UITextView的值保存在NSUserDefaults中。
    首先考虑的是在ViewController中通过接收处理系统的UIApplicationWillTerminateNotification来保存。于是有

- (void)saveCurrentValue {
    // saving here
}

- (void)viewDidLoad {
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(saveCurrentValue) name:UIApplicationWillTerminateNotification object:nil];
}
 

 

 

    但实际测试中发现并没能保存UITextView的内容,通过NSLog调试才发现,原来在退出时,系统先执行了AppDelegate中的applicationWillTerminate,然后才执行ViewController中的saveCurrentValue代码,所以无法保存内容。

解决方法:

    在AppDelegate的applicationWillTerminate中发送自定义的Notification,ViewController中通过接收该自定义Notification处理保存内容的操作,这样就可以保证在AppDelegate的保存 NSUserDefaults操作前先将内容保存。

#define kMyNotificationTerminate            @"MyNotificationTerminate"
 
//SampleAppDelegate.m
- (void)applicationWillTerminate:(UIApplication *)application {
    // post willterminate notification to allow views to save current status
    [[NSNotificationCenter defaultCenter] postNotificationName:kMyNotificationTerminate 
                                                        object:nil];
    
    // Save changes.
}
 
//MySampleViewController.m
(void)saveCurrentValue {
    // saving value here
}

- (void)viewDidLoad {

    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(saveCurrentValue) name:kMyNotificationTerminate object:nil];

}

- (void)dealloc {
    [[NSNotificationCenter defaultCenter] removeObserver:self name:kMyNotificationTerminate object:[UIApplication sharedApplication]];
    
    [super dealloc];
}
 

 

 

 

你可能感兴趣的:(notification)