標籤:
iOS 8提供了一個令人興奮的新API來建立互動式通知(interactive notifications),它能讓你在你的應用之外為使用者提供額外的功能。我發現網上還沒有關於如何?它的比較好的樣本教程,所以我將在這篇文章裡來實現一個簡單的互動式通知樣本,分享給大家。
為了建立互動式通知,需要iOS 8提供的3個新類:UIUserNotificationSettings, UIUserNotificationCategory, UIUserNotificationAction 以及它們的變體。
和以前簡單地註冊通知類型(sounds、banners、alerts)相比,現在你可以註冊自訂的通知類別(categories)和動作(actions)。類別描述了應用自訂的通知類型,並且包含使用者能夠執行的響應動作。比如,你收到一個通知說某人在社交網上了關注了你,作為回應你可能會想要關注他或者忽略。
這裡是一個非常簡單的使用Objective-C編寫的樣本,示範如何註冊一個包含兩個動作的通知。
| 123456789101112131415161718192021222324252627282930313233343536373839 |
NSString * const NotificationCategoryIdent = @"ACTIONABLE";NSString * const NotificationActionOneIdent = @"ACTION_ONE";NSString * const NotificationActionTwoIdent = @"ACTION_TWO"; - (void)registerForNotification { UIMutableUserNotificationAction *action1; action1 = [[UIMutableUserNotificationAction alloc] init]; [action1 setActivationMode:UIUserNotificationActivationModeBackground]; [action1 setTitle:@"Action 1"]; [action1 setIdentifier:NotificationActionOneIdent]; [action1 setDestructive:NO]; [action1 setAuthenticationRequired:NO]; UIMutableUserNotificationAction *action2; action2 = [[UIMutableUserNotificationAction alloc] init]; [action2 setActivationMode:UIUserNotificationActivationModeBackground]; [action2 setTitle:@"Action 2"]; [action2 setIdentifier:NotificationActionTwoIdent]; [action2 setDestructive:NO]; [action2 setAuthenticationRequired:NO]; UIMutableUserNotificationCategory *actionCategory; actionCategory = [[UIMutableUserNotificationCategory alloc] init]; [actionCategory setIdentifier:NotificationCategoryIdent]; [actionCategory setActions:@[action1, action2] forContext:UIUserNotificationActionContextDefault]; NSSet *categories = [NSSet setWithObject:actionCategory]; UIUserNotificationType types = (UIUserNotificationTypeAlert| UIUserNotificationTypeSound| UIUserNotificationTypeBadge); UIUserNotificationSettings *settings; settings = [UIUserNotificationSettings settingsForTypes:types categories:categories]; [[UIApplication sharedApplication] registerUserNotificationSettings:settings];} |
要發送這個通知類型,只需簡單的將category添加到聲明裡。
| 1234 |
"aps" : { "alert" : "Pull down to interact.", "category" : "ACTIONABLE"} |
現在為了響應使用者選擇的操作,你需要在UIApplicationDelegate協議添加兩個新方法:
| 12 |
application:handleActionWithIdentifier:forLocalNotification:completionHandler:application:handleActionWithIdentifier:forRemoteNotification:completionHandler: |
使用者從你的推播通知中選擇一個動作後,該方法將會在後台被調用。
| 123456789101112131415 |
- (void)application:(UIApplication *)application handleActionWithIdentifier:(NSString *)identifier forRemoteNotification:(NSDictionary *)userInfo completionHandler:(void (^)())completionHandler { if ([identifier isEqualToString:NotificationActionOneIdent]) { NSLog(@"You chose action 1."); } else if ([identifier isEqualToString:NotificationActionTwoIdent]) { NSLog(@"You chose action 2."); } if (completionHandler) { completionHandler(); }} |
如文檔所述,通過標示符來判定是哪個動作被選中,最後調用completionHandler,即可大功告成。這裡僅僅簡單的示範了一下iOS 8 新通知API表面上的功能,今後將進行更深入的研究。
iOS 8建立互動式通知-備