2019年7月23日星期二

iOS10 Notification Content Extension

iOS10对推送通知的增加了两个扩展框架,之前介绍了Notification Service Extension,允许在收到推送之后,通知展示之前对推送信息进行二次处理;而另一个就是Notification Content Extension,允许开发者对推送信息自定义一个展示界面,在这个界面里你可以自定义任何视图,但是有一个限制,这个界面不能有用户交互,也就是这个界面用户不能点击它。但是对于整个通知我还是可以继续使用actions进行交互。 首先我们介绍下这个推送界面的组成,当我收到一条新的推送,我们下拉这条推送就会出现下面如图界面:

Header是属于系统默认的部分,所有推送都有这个Header且不可修改

Custom Content就是我们要介绍的Notification Content Extension的内容,在这里你可以自定义为任何样式。

Default Content系统默认的推送展示样式,不可修改,但可以选择不显示(这个我们后面会说到)。

Actions就是我们之前介绍UserNotification.Framework是介绍过的,这里用户可以进行一些操作并体现到Custom Content中。

现在我们来创建一个Notification Content Extension的Target,Xcode会自动创建如下图的几个文件:

NotificationViewController就是我们Custom Conten的代码部分,MainInterface.storyboard就是布局部分,Info.plist就是配置文件。

打开Info.plist文件,我们可以看到如下内容:

这里的UNNotificationExtensionCategory就是响应这个Content Extension的通知的categoryId,那如果有多个categoryId都对应的是这个Content Extension怎么办呢?那么我们可以将UNNotificationExtensionCategory改为一个数组,数组中包含多个categoryId,如图:

UNNotificationExtensionInitialContentSizeRatio这个是Content Extension初始化时候的高宽比。

除了这两个我之前说过Default Content可以选择是否显示,那么如果我们希望不显示Default Content,我们可以在NSExtensionAttributes增加UNNotificationExtensionDefaultContentHidden并设置为YES,如图:

然后我们在MainInterface.storyboard中的ViewController中增加一些子视图:

一个imageView和两个Label,并将其关联为NotificationViewController的属性:

@property (weak, nonatomic) IBOutlet UIImageView *imageView;
@property (weak, nonatomic) IBOutlet UILabel *titleLabel;
@property (weak, nonatomic) IBOutlet UILabel *contentLabel;

现在我们开始处理NotificationViewController,NotificationViewController实际上就是一个继承于UIViewController的一个视图控制器,但是他实现了UNNotificationContentExtension协议。 UNNotificationContentExtension协议主要有两个方法:

- (void)didReceiveNotification:(UNNotification *)notification;
@optional
- (void)didReceiveNotificationResponse:(UNNotificationResponse *)response completionHandler:(void (^)(UNNotificationContentExtensionResponseOption option))completion;

第一个方法是当NotificationContentExtension收到指定categoryId的推送时,那么就将会响应这个方法,然后我们可以根据通知内容设置我们的界面。
第二个方法是一个可选方法,这个就是当用户进行Actions的操作是,NotificationContentExtension会响应的方法,我们可以根据对应的Action修改NotificationContentExtension界面或者进行网络请求等操作。
我先根据我们收到推送修改对应的Content Extension界面,那么我们在didReceiveNotification:中添加如下代码:

- (void)didReceiveNotification:(UNNotification *)notification {
    self.imageView.image=[UIImage imageNamed:@"push_image"];
    self.titleLabel.text=notification.request.content.title;
    self.contentLabel.text=notification.request.content.body;
}

那么当我们收到推送之后,我们的Content Extension界面界面将会展示如下:

之前在介绍Service Extension时,我们可以根据推送请求一些图片等并设置到attachments,那么当我们在Content Extension中收到一个包含attachments的推送时,我们要如何展示,这里我们将代码如下修改:

- (void)didReceiveNotification:(UNNotification *)notification {
    if (notification.request.content.attachments.count==0) {
        self.imageView.image=[UIImage imageNamed:@"push_image"];
    }else{
        UNNotificationAttachment *lAttachment=notification.request.content.attachments.firstObject;
        if (lAttachment) {
            if ([lAttachment.URL startAccessingSecurityScopedResource]) {
                self.imageView.image = [UIImage imageWithContentsOfFile:lAttachment.URL.path];
                dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(0.5 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
                    [lAttachment.URL stopAccessingSecurityScopedResource];
                });
            }
        }
    }
    self.titleLabel.text=notification.request.content.title;
    self.contentLabel.text=notification.request.content.body;
}

这里如果我们收到的推送包含attachments内容,那么我们就将图片赋值给imageView,但是attachment是由系统管理的,系统会把它们单独的管理,这意味着它们存储在我们sandbox之外。所以这里我们要使用attachment之前,我们需要告诉iOS系统,我们需要使用它,并且在使用完毕之后告诉系统我们使用完毕了。对应上述代码就是-startAccessingSecurityScopedResource和-stopAccessingSecurityScopedResource的操作。 这是如果我们收到一个带图片的推送,Content Extension展示如下:

这里的imageView展示的就是在Service Extension下载的图片。

然后我们来介绍UNNotificationContentExtension协议的第二个方法,- (void)didReceiveNotificationResponse:(UNNotificationResponse *)response completionHandler:(void (^)(UNNotificationContentExtensionResponseOption option))completion 该方法有两个参数,第一个response就是点击Actions传递过来的参数,我们可以根据response来判断是点击了哪个Actions,并对其做对应的处理,第二个completion是一个block,当我处理完response后需要回调的block,系统根据该block做后续处理,这个block有一个参数UNNotificationContentExtensionResponseOption,这个是UNNotificationContentExtensionResponseOption是一个枚举,定义如下:

typedef NS_ENUM(NSUInteger, UNNotificationContentExtensionResponseOption) {
    UNNotificationContentExtensionResponseOptionDoNotDismiss,
    UNNotificationContentExtensionResponseOptionDismiss,
    UNNotificationContentExtensionResponseOptionDismissAndForwardAction,
} __IOS_AVAILABLE(10_0) __TVOS_UNAVAILABLE __WATCHOS_UNAVAILABLE __OSX_UNAVAILABLE;

UNNotificationContentExtensionResponseOptionDoNotDismiss代表不关闭Content Extension UNNotificationContentExtensionResponseOptionDismiss代表关闭Content Extension,这里需要注意如果点击的action类型为UNNotificationActionOptionForeground,Content Extension仍然不会关闭 UNNotificationContentExtensionResponseOptionDismissAndForwardAction代表关闭Content Extension,且打开App。
这里我们修改代码如下:

- (void)didReceiveNotificationResponse:(UNNotificationResponse *)response completionHandler:(void (^)(UNNotificationContentExtensionResponseOption option))completion{
    if ([response.actionIdentifier isEqualToString:kCategoryTestInputKey]) {
        UNTextInputNotificationResponse *inputResponse=(UNTextInputNotificationResponse *)response;
        NSString *lString=inputResponse.userText;
        self.contentLabel.text=lString;
    }else if ([response.actionIdentifier isEqualToString:kCategoryTestConfirmKey]) {
        self.contentLabel.text=@"Confirm";
    }

    dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(1.5 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
        completion(UNNotificationContentExtensionResponseOptionDismiss);
    });

}

这里我们根据对应的Action修改contentLabel的显示,并在1.5s后关闭Content Extension,当然你也可以在这里进行一些网络请求后在执行block。
那么我们在收到推送点击了Confirm后,Content Extension将修改为如下:

对于Content Extension的介绍就如下了。

代码下载:UserNotificationsTest

iOS10 Notification Service Extension

在iOS10之前,iOS的推送逻辑是服务器想苹果的APNS服务器发送一条消息,然后由APNS服务器推送到手机,然后由操作系统处理后直接展示给用户,这个过程如下:

服务器 → APNS → 操作系统 → 用户

可以看出,这个过程跟我们的App没有任何关系(除了注册推送,获取Token),推送来的任何信息我们都无法对其展示做处理,iOS10苹果推出了Notification Service Extension,使得推送来的的信息可以通过Service Notification进行二次处理,那么现在我们推送发送到展示的过程就变成了:

服务器 → APNS → 操作系统 → Service Extension → 用户

通过Notification Service Extension,我们能在收到推送一条新的推送之后的30s(据说是30s,未测试)之内对推送信息进行二次处理,然后再展示,当然如果我们在规定时间之内未能成功进行二次处理,系统还是会按照当前的推送信息进行展示。

首先我对我们的项目创建一个Notification Service Extension,Notification Service Extension跟以前的Today Extension一样都属于一个应用扩展,那么就需要创建一个Target:

然后如图选择:

点击Next,输入名称,我们在项目中就多出一个新的target:

这里Bundle Identifier就是项目的bundle id加上.扩展名称,所以我这里的Bundle Identifier为mingle.chang.joke.NotificationService,这里我们就创建一个Notification Service Extension。

接下来我来看下Notification Service Extension中的处理逻辑,Notification Service Extension为我们创建三个文件:

Info.plist就是Notification Service Extension的配置文件,而NotificationService.h和NotificationService.m则是我们对通知进行二次处理的地方,打开NotificationService.m可以看到,已经系统已经默认帮我们写好了两个方法:

- (void)didReceiveNotificationRequest:(UNNotificationRequest *)request withContentHandler:(void (^)(UNNotificationContent * _Nonnull))contentHandler {
    self.contentHandler = contentHandler;
    self.bestAttemptContent = [request.content mutableCopy];

    self.contentHandler(self.bestAttemptContent);
}

- (void)serviceExtensionTimeWillExpire {
    // Called just before the extension will be terminated by the system.
    // Use this as an opportunity to deliver your "best attempt" at modified content, otherwise the original push payload will be used.
    self.contentHandler(self.bestAttemptContent);
}

而我们需要做的也就是在这两个方法中进行处理,第一个方法- (void)didReceiveNotificationRequest:(UNNotificationRequest *)request withContentHandler:(void (^)(UNNotificationContent * _Nonnull))contentHandler就是当Service Extension收到推送时首先执行的方法,第二个方法- (void)serviceExtensionTimeWillExpire就是如果我们对推送的二次处理超时或者处理出现异常情况将会默认执行这个方法,所以对于我们来说主要对第一个方法进行修改,在之前如果我们收到这样一条推送:

{
  "aps": {
    "alert": {
      "title": "这是一个标题",
      "subtitle": "这是一个副标题",
      "body": "你收到一个内容"
    },
    "badge": 1,
    "sound": "default"
  }
}

那么我们收到的推送将会是如下:

我们说过Notification Service Extension可以对推送进行二次处理之后在进行展示,那么需要我们做哪些处理呢?
首先我们需要后台在推送的JSON中增加一个mutable-content字段,且该字段的值为1,那么我们服务器发出的推送就会是下面这个JSON:

{
  "aps": {
    "alert": {
      "title": "这是一个标题",
      "subtitle": "这是一个副标题",
      "body": "你收到一个内容"
    },
    "badge": 1,
    "sound": "default",
    "mutable-content": 1
  }
}

只有推送中包含该字段,系统才会将推送发送给Service Extension进行二次处理,然后我们修改- (void)didReceiveNotificationRequest:(UNNotificationRequest *)request withContentHandler:(void (^)(UNNotificationContent * _Nonnull))contentHandler中的代码如下:

- (void)didReceiveNotificationRequest:(UNNotificationRequest *)request withContentHandler:(void (^)(UNNotificationContent * _Nonnull))contentHandler {
    self.contentHandler = contentHandler;
    self.bestAttemptContent = [request.content mutableCopy];

    // 根据收到的推送request修改推送显示的信息
    self.bestAttemptContent.title = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.title];
    self.bestAttemptContent.subtitle = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.subtitle];
    self.bestAttemptContent.body = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.body];

    self.contentHandler(self.bestAttemptContent);
}

首先我们介绍这个方法中的两个参数:
request:就是我们收到的推送请求
contentHandler:是我们对推送进行二次处理完成后的推送信息回调给系统或者通知中心的block
接下介绍该方法中的代码:
首先我们通过:

    self.contentHandler = contentHandler;
    self.bestAttemptContent = [request.content mutableCopy];

将contentHandler和request.content赋值给属性contentHandler和bestAttemptContent; 然后我们通过:

    self.bestAttemptContent.title = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.title];
    self.bestAttemptContent.subtitle = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.subtitle];
    self.bestAttemptContent.body = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.body];

修改bestAttemptContent的title,subtitle和body; 最后我们通过:

self.contentHandler(self.bestAttemptContent);

将修改后的bestAttemptContent回调给系统或者通知中心,这样当我们收到推送信息:

{
  "aps": {
    "alert": {
      "title": "这是一个标题",
      "subtitle": "这是一个副标题",
      "body": "你收到一个内容"
    },
    "badge": 1,
    "sound": "default",
    "mutable-content": 1
  }
}

之后,系统展示的就会是:

可以看到,这里我们将收到的推送的title,subtitle和body都增加了[NotificationService]进行展示。
之前说过系统留给我们处理推送的时间是30s,而我们上面的处理估计连1s都不到,那么我们在这30s还能干点其他什么吗?
当然,这里留给我们处理足够长,我们能够处理很多东西,比如可以让服务器推送一段加密的信息,我们将信息解密之后在进行展示;又比如可以让服务器推送一条信息的唯一标识,然后我们通过唯一标识向服务器获取需要展示的信息;我们也可以在收到推送后向服务器下载图片,视频,语音进行展示,当然这些文件也有一些要求规定,如图:

这里我们以下载图片为例:
首先我们修改推送JSON,在推送JSON增加一个自定义的字段image,这个字段就是对应的图片的地址,这里我们收到推送JSON则如下:

{
  "aps": {
    "alert": {
      "title": "这是一个标题",
      "subtitle": "这是一个副标题",
      "body": "你收到一个内容"
    },
    "badge": 1,
    "sound": "default",
    "mutable-content": 1,
    "image": "xxxxx"
  }
}

然后修改- (void)didReceiveNotificationRequest:(UNNotificationRequest *)request withContentHandler:(void (^)(UNNotificationContent * _Nonnull))contentHandler中的代码如下:

- (void)didReceiveNotificationRequest:(UNNotificationRequest *)request withContentHandler:(void (^)(UNNotificationContent * _Nonnull))contentHandler {
    self.contentHandler = contentHandler;
    self.bestAttemptContent = [request.content mutableCopy];

    self.bestAttemptContent.title = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.title];
    self.bestAttemptContent.subtitle = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.subtitle];
    self.bestAttemptContent.body = [NSString stringWithFormat:@"%@ [NotificationService]", self.bestAttemptContent.body];

    NSDictionary *lApsDic = self.bestAttemptContent.userInfo[@"aps"];
    NSString *lImageUrl=lApsDic[@"image"];
    if (lImageUrl.length>0) {
        [self loadAttachmentForUrlString:lImageUrl withType:@"png" completionHandle:^(UNNotificationAttachment *attach) {
            if (attach) {
                self.bestAttemptContent.attachments = [NSArray arrayWithObject:attach];
            }
            self.contentHandler(self.bestAttemptContent);
        }];
    }else{
        self.contentHandler(self.bestAttemptContent);
    }
}

这里我们在之前修改body的后增加了图片下载和加入通知信息的代码,首先我们从推送信息中获取image字段,得到图片的链接地址,然后使用loadAttachmentForUrlString:withType:completionHandle:下载我们的图片,该方法的代码如下:

- (void)loadAttachmentForUrlString:(NSString *)urlStr withType:(NSString *)type completionHandle:(void(^)(UNNotificationAttachment *attach))completionHandler{
    __block UNNotificationAttachment *attachment = nil;
    NSURL *attachmentURL = [NSURL URLWithString:urlStr];

    NSURLSession *session = [NSURLSession sessionWithConfiguration:[NSURLSessionConfiguration defaultSessionConfiguration]];
    NSURLSessionDownloadTask *lTask=[session downloadTaskWithURL:attachmentURL completionHandler:^(NSURL *temporaryFileLocation, NSURLResponse *response, NSError *error) {
        if (error != nil) {
            NSLog(@"Error:%@", error.localizedDescription);
        } else {
            NSFileManager *fileManager = [NSFileManager defaultManager];
            NSURL *localURL = [NSURL fileURLWithPath:[temporaryFileLocation.path stringByAppendingPathExtension:type]];
            [fileManager moveItemAtURL:temporaryFileLocation toURL:localURL error:&error];

            NSError *attachmentError = nil;
            attachment = [UNNotificationAttachment attachmentWithIdentifier:@"" URL:localURL options:nil error:&attachmentError];
            if (attachmentError) {
                NSLog(@"Error:%@", attachmentError.localizedDescription);
            }
        }
        completionHandler(attachment);
    }];
    [lTask resume];
}

这个方法就是用于图片下载,并将下载的图片生成一个UNNotificationAttachment对象,然后通过block回调给- (void)didReceiveNotificationRequest:(UNNotificationRequest *)request withContentHandler:(void (^)(UNNotificationContent * _Nonnull))contentHandler中,然后使用self.bestAttemptContent.attachments = [NSArray arrayWithObject:attach];对bestAttemptContent.attachments进行赋值,最后执行self.contentHandler(self.bestAttemptContent);通过这样,当我们收到上面的推送之后展示给用户的就会是如图所示:

下拉推送信息将会展示为:

这样我们就成功的推送了一条图片信息。

需要注意的地方: 一、是生成UNNotificationAttachment的时候,对应的图片文件名必须有正确的文件后缀名,否则在生成UNNotificationAttachment时将会抛出如下错误: 2016-10-30 23:08:17.135250 NotificationService[1581:190750] Error:Unrecognized attachment file type 二、如果我们需要对Notification Service Extension进行调试,需要选中Notification Service Extension的Target进行调试,如图:

三、如果在Notification Service Extension中的网络请求不是HTTPS,那么必须该Target的Info.plist中添加App Transport Security Settings说明。

代码下载:UserNotificationsTest

iOS10 UserNotification.Framework

作为一个App推送功能基本是每个App都会有的功能,尤其是国内应用,推送功能基本达到了滥用的地步,但是随着苹果公司对推送功能不断的加强,我们能通过推送实现更多的功能,尤其是这次iOS10的发布,增加了UserNotification.Framework,Notification Content和Notification Service Extension,推送功能变得更加强大。

这里主要是介绍UserNotification.Framework。

在iOS10之前我们注册通知的方式有两种,在iOS8之前我们使用

[application registerForRemoteNotificationTypes:UIRemoteNotificationTypeAlert | UIRemoteNotificationTypeBadge | UIRemoteNotificationTypeSound];

在iOS8之后我们使用

UIUserNotificationSettings *settings = [UIUserNotificationSettings  settingsForTypes:UIUserNotificationTypeAlert | UIUserNotificationTypeBadge | UIUserNotificationTypeSound categories:nil];
[application registerUserNotificationSettings:settings];

- (void)application:(UIApplication *)application didRegisterUserNotificationSettings:(UIUserNotificationSettings *)settings
{
    [application registerForRemoteNotifications];
}

然后使用下面的方法获取token

- (void)application:(UIApplication *)application didRegisterForRemoteNotificationsWithDeviceToken:(NSData *)deviceToken
{
    NSLog(@"Registration successful, bundle identifier: %@, device token: %@",[NSBundle.mainBundle bundleIdentifier], deviceToken);
    NSString *pushToken = [[[[deviceToken description]
                             stringByReplacingOccurrencesOfString:@"<" withString:@""] stringByReplacingOccurrencesOfString:@">" withString:@""]
                           stringByReplacingOccurrencesOfString:@" " withString:@""];
    NSLog(@"device token: %@",pushToken);
}
- (void)application:(UIApplication *)application didFailToRegisterForRemoteNotificationsWithError:(NSError *)error
{
NSLog(@"Failed to register: %@", error);
}

然后只需要后台通过APNS发送一条JSON:

{
  "aps": {
    "alert": {
      "body": "你收到一个内容"
    },
    "badge": 1,
    "sound": "default"
  }
}

在App端就能收到一条如下的推送:

以上就是在iOS10我们实现基本推送功能的方式,至于之前推送的一些其他功能可以自行百度或者谷歌。

在iOS10,苹果引入了一个新的Framework:UserNotification.Framework,将之前的RemoteNotification和LocalNotification的进行了统一处理,这里主要是对于RemoteNotification。

首先是注册通知:

[[UNUserNotificationCenter currentNotificationCenter] requestAuthorizationWithOptions:(UNAuthorizationOptionBadge | UNAuthorizationOptionSound | UNAuthorizationOptionAlert)
completionHandler:^(BOOL granted, NSError * _Nullable error) {
    if (granted==YES) {
        NSLog(@"request authorization succeeded!");
        [application registerForRemoteNotifications];
    }else{
        NSLog(@"request authorization failed!");
        NSLog(@"Error:%@",error);
    }
}];

UNUserNotificationCenter是用于专门管理推送通知的类,通过requestAuthorizationWithOptions向系统请求推送权限,请求完成后会有一个block的回调,如果granted为YES则代表获取权限成功,然后通过[application registerForRemoteNotifications]注册通知,获取token方式与之前,然后使用后台发起推送,就能收到跟之前一样的推送了。

在iOS10之前,一条推送上只能显示一句话,但是在iOS10之后如果我们推送下面这条JSON:

{
  "aps": {
    "alert": {
      "title": "这是一个标题",
      "subtitle": "这是一个副标题",
      "body": "你收到一个内容"
    },
    "badge": 1,
    "sound": "default"
  }
}

那么你收到的推送将会是如下:

这里除了我们之前能看到的消息外,还额外增加了title(标题)和subtitle(副标题)的显示,当然如果还想有更复杂的推送显示,在iOS10中也可以通过Notification Service Extension实现,但不在这篇文章介绍。

有时我们需要在点击了推送进入app时根据推送内容进行对应的操作,在iOS10之前在UIApplicationDelegate提供了对应的处理方法,那么如果我们使用UserNotification.Framework又该如何实现这个功能,这里我们需要使用到UNUserNotificationCenterDelegate,UNUserNotificationCenterDelegate提供了两个代理方法,分别为:

- (void)userNotificationCenter:(UNUserNotificationCenter *)center willPresentNotification:(UNNotification *)notification withCompletionHandler:(void (^)(UNNotificationPresentationOptions options))completionHandler
- (void)userNotificationCenter:(UNUserNotificationCenter *)center didReceiveNotificationResponse:(UNNotificationResponse *)response withCompletionHandler:(void(^)())completionHandler

第一个代理方法是当应用处于前台时,收到推送时响应的代理方法,第二个代理方法是在点击了推送或者点击了推送的Action会响应的代理方法。

当然我们首先需要在注册推送的时候添加如下代码:

[[UNUserNotificationCenter currentNotificationCenter]setDelegate:self];

首先介绍第一个方法,当我们的程序正处于前台运行时候,这时候如果服务端向app发送了一个推送,那么我们的app将会响应到- (void)userNotificationCenter:(UNUserNotificationCenter *)center willPresentNotification:(UNNotification *)notification withCompletionHandler:(void (^)(UNNotificationPresentationOptions options))completionHandler,这里我们可以看到该方法有三个参数:

第一个center就是我们注册推送使用的UNUserNotificationCenter。

第二个参数notification就是我们收到的推送对象UNNotification,这里系统将推送信息整理成一个对象给我们处理,比以前直接传递一个Dictionary要有好很多,UNNotification中的个字段的含义就不一一说明了。

第三个参数completionHandler是一个block,在iOS10以前如果当系统App处于前台时收到推送,系统只会向App发出推送信息,但不会在界面上弹出推送提示语,但是现在我们可以使用completionHandler使我们处于前台时系统也会弹出推送提示信息,我们需要做的就是在这个代理方法中针对想要弹出提示框的推送执行如下代码:

completionHandler(UNNotificationPresentationOptionBadge | UNNotificationPresentationOptionSound | UNNotificationPresentationOptionAlert);

那么当我们App处于前台时系统也会弹出提示信息,如图:

这样我们App处于前台时也能让系统弹出推送的提示信息。 UNNotificationPresentationOptionBadge,UNNotificationPresentationOptionSound,UNNotificationPresentationOptionAlert分别代表红点,声音和提示语,大家可以自行测试其功能。

第二个代理方法- (void)userNotificationCenter:(UNUserNotificationCenter *)center didReceiveNotificationResponse:(UNNotificationResponse *)response withCompletionHandler:(void(^)())completionHandler,当我们点击了推送的提示信息后,App将启动(如果App不处于前台)并执行该方法,这个代理方法也有三个参数:

第一个center就是我们注册推送使用的UNUserNotificationCenter。

第二个response我们点击推送后收到的UNNotificationResponse对象,UNNotificationResponse有两个变量,一个notification就是我们对应的UNNotification,另一个actionIdentifier是一个字符串,功能在后面说明。

第三个completionHandler是一个block,具体功能还在研究。 在该代理中我们添加如下代码:

- (void)userNotificationCenter:(UNUserNotificationCenter *)center didReceiveNotificationResponse:(UNNotificationResponse *)response withCompletionHandler:(void(^)())completionHandler{
    NSString *lString=@"点击了通知";
    UIAlertController *lAlertController=[UIAlertController alertControllerWithTitle:lString message:nil preferredStyle:UIAlertControllerStyleAlert];
    UIAlertAction *lOKAction=[UIAlertAction actionWithTitle:@"OK" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {

    }];
    [lAlertController addAction:lOKAction];
    [[UIApplication sharedApplication].keyWindow.rootViewController presentViewController:lAlertController animated:YES completion:nil];
    completionHandler();
}

当我们点击了推送之后,App将启动,并弹出一个Alert,效果如下:

在iOS8的时候苹果提供了UIUserNotificationCategory,UIUserNotificationAction等相关类,可以在当程序在后台收到推送,对应的按钮或者输入文字后进入App进行不同的操作,效果如下: 当我们后台发送如下的推送信息:

{
  "aps": {
    "alert": {
      "title": "这是一个标题",
      "subtitle": "这是一个副标题",
      "body": "你收到一个内容"
    },
    "badge": 1,
    "sound": "default",
    "category":"category.test"
  }
}

在收到推送后下拉这个推送:

点击confirm按钮:

如果点击text按钮:

点击send:

那么我们使用UserNotification.Framework,要如何实现该功能呢?
首先我们需要在注册通知的时候同时注册NotificationCategoriy:

[self registerNotificationCategory];

registerNotificationCategory方法如下:

static NSString *kCategoryTestKey=@"category.test";
static NSString *kCategoryTestInputKey=@"category.test.input";
static NSString *kCategoryTestConfirmKey=@"category.test.confirm";
-(void)registerNotificationCategory{
    UNTextInputNotificationAction *lTextAction=[UNTextInputNotificationAction actionWithIdentifier:kCategoryTestInputKey title:@"text" options:UNNotificationActionOptionForeground textInputButtonTitle:@"send" textInputPlaceholder:@"please"];

    UNNotificationAction *lConfirmAction=[UNNotificationAction actionWithIdentifier:kCategoryTestConfirmKey title:@"Confirm" options:UNNotificationActionOptionForeground];

    UNNotificationCategory *lCategory=[UNNotificationCategory categoryWithIdentifier:kCategoryTestKey actions:@[lTextAction,lConfirmAction] intentIdentifiers:@[] options:UNNotificationCategoryOptionNone];
    [[UNUserNotificationCenter  currentNotificationCenter]setNotificationCategories:[NSSet setWithObjects:lCategory, nil]];
}

这里我们为UNUserNotificationCenter设置了一个identifier为category.test的category,这个category包含一个标题为text的文字输入的action(identifier为category.test.input),一个标题为confirm的按钮action(identifier为category.test.confirm)。

那么我们该如何处理各种action操作后需要执行的行为,这里我就要用到之前我们提到的UIApplicationDelegate中的第二个代理方法- (void)userNotificationCenter:(UNUserNotificationCenter *)center didReceiveNotificationResponse:(UNNotificationResponse *)response withCompletionHandler:(void(^)())completionHandler,之前我们提到第二个参数response还有一个actionIdentifier属性,这个属性就代表我们注册的category中各自action的identifier,那么我修改代理方法如下:

- (void)userNotificationCenter:(UNUserNotificationCenter *)center didReceiveNotificationResponse:(UNNotificationResponse *)response withCompletionHandler:(void(^)())completionHandler{
    NSString *lString=@"点击了通知";
    if ([response.actionIdentifier isEqualToString:kCategoryTestInputKey]) {
        UNTextInputNotificationResponse *inputResponse=(UNTextInputNotificationResponse *)response;
        lString=[NSString stringWithFormat:@"点击了input,输入内容为:%@",inputResponse.userText];
    }else if([response.actionIdentifier isEqualToString:kCategoryTestConfirmKey]){
        lString=@"点击了confirm";
    }
    UIAlertController *lAlertController=[UIAlertController alertControllerWithTitle:lString message:nil preferredStyle:UIAlertControllerStyleAlert];
    UIAlertAction *lOKAction=[UIAlertAction actionWithTitle:@"OK" style:UIAlertActionStyleDefault handler:^(UIAlertAction * _Nonnull action) {

    }];
    [lAlertController addAction:lOKAction];
    [[UIApplication sharedApplication].keyWindow.rootViewController presentViewController:lAlertController animated:YES completion:nil];
    completionHandler();
}

就可以实现前面同样的功能。

代码下载:UserNotificationsTest

Centos7下firewall的使用


firewall的基本使用

启动: systemctl start firewalld
查看状态: systemctl status firewalld  
停止: systemctl disable firewalld  
禁用:systemctl stop firewalld

配置firewall-cmd

查看版本: firewall-cmd --version
查看帮助: firewall-cmd --help
显示状态: firewall-cmd --state
查看所有打开的端口: firewall-cmd --zone=public --list-ports
更新防火墙规则: firewall-cmd --reload
查看区域信息:  firewall-cmd --get-active-zones
查看指定接口所属区域: firewall-cmd --get-zone-of-interface=eth0
拒绝所有包:firewall-cmd --panic-on
取消拒绝状态: firewall-cmd --panic-off
查看是否拒绝: firewall-cmd --query-panic

开启或者关闭一个端口

添加:  firewall-cmd --zone=public --add-port=80/tcp --permanent    (--permanent永久生效,没有此参数重启后失效)
重新载入:  firewall-cmd --reload
查看:  firewall-cmd --zone= public --query-port=80/tcp
删除:  firewall-cmd --zone= public --remove-port=80/tcp --permanent  

Mac卸载PKG

pkg常用命令  pkgutil --pkgs 查看所有 pkg pkgutil --export-plist <pkg-id> 查看pkg信息  pkgutil --files  <pkg-id> 查看pkg所有资源  sudo pkgutil --fo...