푸시 메시지 연동
타 푸시 솔루션과 함께 사용할 수 있습니다
타 푸시 솔루션과 함께 사용하려면 타 푸시 솔루션의 Swizzling 옵션을 비활성화해야 합니다.
Swizzling 비활성화 후, 해당 솔루션의 가이드를 참고하여 푸시 알림 처리를 수동으로 설정해 주세요.
1. APNs 설정하기
iOS 앱에서 푸시 메시지를 사용하기 위해서는 핵클 워크스페이스와 APNs 연동 설정이 필요합니다.
자세한 내용은 Apple Push Notification Service 설정을 참고하세요.
2. 앱에 PushNotification Capability 추가
Xcode 프로젝트 설정의 Signing & Capabilities
탭에서 + Capability
를 아래와 같이 클릭해주세요.
Push Notifications
과 Background Modes
를 추가해주세요.
그리고 Background Modes
의 Remote notifications
를 활성화해 주세요.
3. 핵클 SDK와 연동하기
푸시 메시지 연동을 위해서는 AppDelegate가 필요합니다.
핵클에서 iOS 앱이 설치된 기기에 푸시 메시지를 전달할수 있도록 아래의 설정을 완료합니다.
class AppDelegate: NSObject, UIApplicationDelegate {
func application(
_ application: UIApplication,
didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey : Any]? = nil
) -> Bool {
return true
}
}
#import <UIKit/UIKit.h>
@interface AppDelegate : UIResponder <UIApplicationDelegate>
@end
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
return YES;
}
만약 SwiftUI
의 경우 아래와 같이 AppDelegate
를 SwiftUI
에 등록해 주세요.
import SwiftUI
@main
struct sampleApp: App {
...
@UIApplicationDelegateAdaptor(AppDelegate.self) var delegate
...
}
푸시 토큰 수집
AppDelegate
에 아래과 같이 setPushToken
메소드를 추가합니다.
import Hackle
class AppDelegate: NSObject, UIApplicationDelegate {
...
func application(
_ application: UIApplication,
didFinishLaunchingWithOptions launchOptions: [UIApplication.LaunchOptionsKey: Any]?
) -> Bool {
// iOS 앱에서 푸시 권한 요청
let authOptions: UNAuthorizationOptions = [.alert, .badge, .sound]
UNUserNotificationCenter.current().requestAuthorization(
options: authOptions,
completionHandler: { _, _ in }
)
UNUserNotificationCenter.current().delegate = self
application.registerForRemoteNotifications()
// 핵클 SDK 초기화
Hackle.initialize(sdkKey: YOUR_APP_SDK_KEY)
return true
}
func application(
_ application: UIApplication,
didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data
) {
// 핵클 서버로 APNs 푸시 토큰 전달
Hackle.app()?.setPushToken(deviceToken)
}
...
}
#import <UIKit/UIKit.h>
#import <UserNotifications/UserNotifications.h>
@import Hackle;
@interface AppDelegate : UIResponder <UIApplicationDelegate, UNUserNotificationCenterDelegate>
@end
#import "AppDelegate.h"
- (BOOL)application:(UIApplication *)application
didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
{
// iOS 앱에서 푸시 권한 요청
UNUserNotificationCenter *center = [UNUserNotificationCenter currentNotificationCenter];
[center requestAuthorizationWithOptions:(UNAuthorizationOptionAlert + UNAuthorizationOptionSound)
completionHandler:^(BOOL granted, NSError * _Nullable error) {
}];
center.delegate = self;
[[UIApplication sharedApplication] registerForRemoteNotifications];
// 핵클 SDK 초기화
[Hackle initializeWithSdkKey:@"YOUR_APP_SDK_KEY"
config:[HackleConfig DEFAULT]];
return YES;
}
- (void)application:(UIApplication *)application
didRegisterForRemoteNotificationsWithDeviceToken:(NSData *)deviceToken
{
// 핵클 서버로 APNs 푸시 토큰 전달
[[Hackle app] setPushToken:deviceToken];
}
푸시 메시지 표시
포그라운드 푸시 메시지 표시
포그라운드 푸시 메시지 표시를 위해 userNotificationCenter
메소드를 추가합니다.
import Hackle
extension AppDelegate: UNUserNotificationCenterDelegate {
// Foreground push message
func userNotificationCenter(
_ center: UNUserNotificationCenter,
willPresent notification: UNNotification,
withCompletionHandler completionHandler: @escaping (UNNotificationPresentationOptions
) -> Void) {
if Hackle.userNotificationCenter(
center: center, willPresent: notification, withCompletionHandler: completionHandler
) {
// Succefully processed notification
// Automatically consumed completion handler
return
} else {
// Received not hackle notification or error
print("Do something")
if #available(iOS 14.0, *) {
completionHandler([.list, .banner])
} else {
completionHandler([.alert])
}
}
}
}
// Foreground push message
- (void)userNotificationCenter:(UNUserNotificationCenter *)center
willPresentNotification:(UNNotification *)notification
withCompletionHandler:(void (^)(UNNotificationPresentationOptions options))completionHandler
{
if ([Hackle userNotificationCenterWithCenter:center
willPresent:notification
withCompletionHandler:completionHandler]) {
// Succefully processed notification
// Automatically consumed completion handler
return;
} else {
// Received not hackle notification or error
NSLog(@"Do something");
completionHandler(UNNotificationPresentationOptionList | UNNotificationPresentationOptionBanner);
}
}
핵클에서 송신한 푸시가 아닌 경우 false가 리턴됩니다.
푸시 클릭 처리
푸시 클릭 처리를 위해 handleNotification
메소드를 추가합니다.
핵클에서 제공하는 푸시 클릭 처리 함수를 호출하지 않으면 푸시가 정상적으로 처리되지 않습니다.
또한, 푸시 클릭 이벤트가 수집되지 않고 푸시 클릭률 지표를 이용할 수 없습니다.
import Hackle
extension AppDelegate: UNUserNotificationCenterDelegate {
// push click
public func userNotificationCenter(
_ center: UNUserNotificationCenter,
didReceive response: UNNotificationResponse,
withCompletionHandler completionHandler: @escaping () -> Void
) {
if let _ = Hackle.handleNotification(response: response) {
// process hackle notification
} else {
// not hackle notification or error
print("do something")
}
// handleNotification 에서 completionHandler를 호출하지 않으니
// 핵클 푸시 여부에 관계없이 반드시 completionHandler를 호출해야 합니다.
completionHandler()
}
}
// push click
- (void)userNotificationCenter:(UNUserNotificationCenter *)center
didReceiveNotificationResponse:(UNNotificationResponse *)response
withCompletionHandler:(void (^)(void))completionHandler
{
if ([Hackle handleNotificationWithResponse:response] != nil) {
// process hackle notification
} else {
// not hackle notification or error
NSLog(@"do something");
}
// handleNotification 에서 completionHandler를 호출하지 않으니
// 핵클 푸시 여부에 관계없이 반드시 completionHandler를 호출해야 합니다.
completionHandler();
}
푸시 클릭 함수는 아래 순서로 처리를 합니다.
- 핵클에서 송신한 푸시인지 확인
- 푸시 클릭 이벤트를 핵클 서버로 송신
- (deep link push인 경우) deep link 처리
핵클에서 송신한 푸시가 아닌 경우 nil이 리턴됩니다.
푸시 클릭 커스텀 딥링크 처리
앱 내에서 핵클에서 전달한 링크의 재가공이 필요한 경우 handleNotification
의 handleAction
파라미터를 false로 선언해서 사용하면 됩니다.
handleAction 파라미터가 false인 경우
- Hackle SDK는 푸시 클릭 이벤트를 핵클 서버로 송신합니다.
- deep link 처리를 하지 않습니다.
import Hackle
extension AppDelegate: UNUserNotificationCenterDelegate {
// push click
public func userNotificationCenter(
_ center: UNUserNotificationCenter,
didReceive response: UNNotificationResponse,
withCompletionHandler completionHandler: @escaping () -> Void
) {
if let notification = Hackle.handleNotification(response: response, handleAction: false) {
// 푸시 메시지 Action Type
print("\(notifiaction.actionType)")
// 푸시 메시지에 등록된 link
print("\(notifiaction.link)")
} else {
// not hackle notification or error
print("do something")
}
// handleNotification 에서 completionHandler를 호출하지 않으니
// 핵클 푸시 여부에 관계없이 반드시 completionHandler를 호출해야 합니다.
completionHandler()
}
}
// push click
- (void)userNotificationCenter:(UNUserNotificationCenter *)center
didReceiveNotificationResponse:(UNNotificationResponse *)response
withCompletionHandler:(void (^)(void))completionHandler
{
id notification = [Hackle handleNotificationWithResponse:response handleAction:NO];
if (notification != nil) {
// process hackle notification
NSLog(@"%@", [notification valueForKey:@"actionType"]);
NSLog(@"%@", [notification valueForKey:@"link"]);
} else {
// not hackle notification or error
NSLog(@"do something");
}
// handleNotification 에서 completionHandler를 호출하지 않으니
// 핵클 푸시 여부에 관계없이 반드시 completionHandler를 호출해야 합니다.
completionHandler();
}
푸시 메시지의 actionType
은 아래와 같습니다.
actionType | 설명 |
---|---|
appOpen | 앱 실행 |
link | 앱 실행 후 링크로 이동 |
actionType
이 appOpen
인 경우 link
는 nil 입니다.
4. 푸시 메시지 테스트
토큰 확인
사용자 식별자 확인하기 가이드 를 통해 iOS 기기에 설정된 토큰을 확인합니다.
테스트
푸시 메시지 테스트 발송 가이드 를 참고하여 푸시 메시지를 iOS 기기에서 확인합니다.
(Advanced) 딥링크 이동
핵클 푸시 메시지는 클릭 시 딥링크 이동을 지원합니다.
푸시 메시지를 통해 해당 앱이 열리는 경우 아래의 설정을 통해 열린 딥링크 정보를 확인할수 있습니다.
iOS 딥링크에 대한 자세한 사항은 iOS 딥링크 가이드 에서 확인 가능합니다.
푸시 클릭 커스텀 딥링크 처리 를 한 경우에는 아래와 같이 딥링크 정보가 전달되지 않습니다.
import SwiftUI
@main
struct sampleApp: App {
...
var body: some Scene {
WindowGroup {
ContentView()
.onOpenURL(perform: { url in
// Handle opened url
print("\(url.absoluteString) opened.")
})
}
}
...
}
class AppDelegate: NSObject, UIApplicationDelegate {
...
func application(_ application: UIApplication, open url: URL, options: [UIApplicationOpenURLOptionsKey : Any] = [:] ) -> Bool {
// Handle opened url
print("\(url.absoluteString) opened.")
}
...
}
SwiftUI
와Storyboard
에서의 딥링크 처리는 각각 독립적이기 때문 해당 iOS 앱 프로젝트에 맞도록 설정해 주세요
(Advanced) 이미지를 포함한 푸시 메시지 표시 (Rich Push Notification)
iOS 앱에서 이미지를 포함한 푸시 메시지를 보여주기 위해서는 Notification Service Extension을 추가하여 아래의 설정을 완료합니다.
iOS Rich Push Notification 에 대한 자세한 사항은 Rich Push Notification 에서 확인 가능합니다.
Xcode 설정
Xcode 프로젝트 상단 File > New > Target...
탭을 선택하여 아래와 같이 Notification Service Extension
을 선택합니다.
알맞은 이름을 입력 후 Finish
를 눌러주세요.
CocoaPods 설정
CocoaPods을 이용해 핵클 SDK를 추가한 경우 Podfile
에 앞서 추가한 Extension
을 다음과 같이 구성합니다.
use_frameworks!
target 'sampleapp' do
pod 'Hackle', '~> 2.28.0'
end
target 'NotificationServiceExtension' do
pod 'Hackle', '~> 2.28.0'
end
Swift Package Manager 설정
Swift Package Manager를 이용해 핵클 SDK를 추가한 경우 앞서 추가한 Extension
에 Hackle
프레임워크를 추가합니다.
푸시 메시지 표시
import UserNotifications
import Hackle
class NotificationService: UNNotificationServiceExtension {
var contentHandler: ((UNNotificationContent) -> Void)?
var bestAttemptContent: UNMutableNotificationContent?
override func didReceive(_ request: UNNotificationRequest, withContentHandler contentHandler: @escaping (UNNotificationContent) -> Void) {
self.contentHandler = contentHandler
self.bestAttemptContent = (request.content.mutableCopy() as? UNMutableNotificationContent)
if (Hackle.populateNotificationContent(request: request, withContentHandler: contentHandler)) {
// Succefully processed notification
// Automatically consumed content handler
return
} else {
// Received non hackle notification or error
if let bestAttemptContent = bestAttemptContent {
// Modify the notification content here...
bestAttemptContent.title = "\(bestAttemptContent.title) [modified]"
contentHandler(bestAttemptContent)
}
}
}
override func 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.
if let contentHandler = self.contentHandler, let bestAttemptContent = self.bestAttemptContent {
contentHandler(bestAttemptContent)
}
}
}
#import <UserNotifications/UserNotifications.h>
@import Hackle;
@interface NotificationService : UNNotificationServiceExtension
@end
#import "NotificationService.h"
@interface NotificationService ()
@property (nonatomic, strong) void (^contentHandler)(UNNotificationContent *contentToDeliver);
@property (nonatomic, strong) UNMutableNotificationContent *bestAttemptContent;
@end
@implementation NotificationService
- (void)didReceiveNotificationRequest:(UNNotificationRequest *)request withContentHandler:(void (^)(UNNotificationContent * _Nonnull))contentHandler {
self.contentHandler = contentHandler;
self.bestAttemptContent = [request.content mutableCopy];
if ([Hackle populateNotificationContentWithRequest:request withContentHandler:contentHandler]) {
// Succefully processed notification
// Automatically consumed content handler
return;
} else {
// Received non hackle notification or error
self.bestAttemptContent.title = [NSString stringWithFormat:@"%@ [modified]", self.bestAttemptContent.title];
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);
}
@end
(Advanced) 푸시 수신 동의 설정
푸시 수신 동의 여부(HacklePushSubscriptionStatus)를 사용자로부터 받아 서버에 등록합니다.
이전에 푸시 수신 동의 여부를 설정하지 않은 경우(unknown) 또는 updatePushSubscriptionStatus API를 호출하여 푸시 수신 동의(subscribed)로 설정한 경우에는 푸시가 발송됩니다.
명시적으로 updatePushSubscriptionStatus API를 호출하여 푸시 수신 안함(unsubscribed)으로 설정한 경우에만 푸시가 발송되지 않습니다.
푸시 수신 동의 설정
Hackle.app()?.updatePushSubscriptionStatus(status: .subscribed)
[[Hackle app] updatePushSubscriptionStatus:HacklePushSubscriptionStatusSubscribed];
HacklePushSubscriptionStatus
Type | 설명 |
---|---|
subscribed | 푸시 수신 동의 |
unsubscribed | 푸시 수신 안함 |
unknown | 알 수 없음 |
Updated 14 days ago