的iOS
我们可以在应用程序最小化后调用该方法吗?
例如,在被称为applicationDidEnterBackground:
之后5秒。
我使用此代码,但test
方法不会调用
- (void)test
{
printf("Test called!");
}
- (void)applicationDidEnterBackground:(UIApplication *)application
{
[self performSelector:@selector(test) withObject:nil afterDelay:5.0];
}
答案 0 :(得分:6)
您可以使用后台任务API在后台运行后调用方法(只要您的任务不需要太长时间 - 通常约10分钟是最大允许时间)。
iOS不会让应用程序在后台运行时触发计时器,所以我发现在应用程序背景化之前调度后台线程,然后将该线程置于休眠状态,与计时器具有相同的效果。
将以下代码放入您的app delegate的- (void)applicationWillResignActive:(UIApplication *)application
方法:
// Dispatch to a background queue
dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_BACKGROUND, 0), ^{
// Tell the system that you want to start a background task
UIBackgroundTaskIdentifier taskID = [[UIApplication sharedApplication] beginBackgroundTaskWithExpirationHandler:^{
// Cleanup before system kills the app
}];
// Sleep the block for 5 seconds
[NSThread sleepForTimeInterval:5.0];
// Call the method if the app is backgrounded (and not just inactive)
if (application.applicationState == UIApplicationStateBackground)
[self performSelector:@selector(test)]; // Or, you could just call [self test]; here
// Tell the system that the task has ended.
if (taskID != UIBackgroundTaskInvalid) {
[[UIApplication sharedApplication] endBackgroundTask:taskID];
}
});