Запрос REST из фонового URLSession iOS с использованием APN - PullRequest
0 голосов
/ 23 мая 2018

Обновление 2018-05-25:

Я заменил datatask на downloadTask после прочтения ответа Роба здесь: https://stackoverflow.com/a/44140059/4666760.Это все еще не работает, когда приложение является фоновым.


Здравствуйте

Мне нужна помощь с фоновыми задачами iOS.Я хочу использовать службу push-уведомлений Apple (APN), чтобы разбудить мое приложение в фоновом режиме, чтобы оно могло выполнять простой вызов RESTful API на моем сервере.Я могу заставить его работать, когда приложение находится на переднем плане, но не в фоновом режиме.Я думаю, что я что-то не так с конфигурацией URLSession, но я не знаю.Весь код приложения и сервера в моем репозитории приведен ниже.Пожалуйста, клонируйте его и делайте все что угодно - мне нужна ваша помощь :)

https://github.com/knutvalen/ping

В AppDelegate.swift приложение прослушивает удаленные уведомления:

class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterDelegate {

    // MARK: - Properties

    var window: UIWindow?

    // MARK: - Private functions

    private func registerForPushNotifications() {
        UNUserNotificationCenter.current().delegate = self
        UNUserNotificationCenter.current().requestAuthorization(options: [.alert, .sound, .badge]) { (granted, error) in
            guard granted else { return }
            DispatchQueue.main.async {
                UIApplication.shared.registerForRemoteNotifications()
            }
        }
    }

    // MARK: - Delegate functions

    func application(_ application: UIApplication, didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?) -> Bool {
        Login.shared.username = "foo"
        registerForPushNotifications()
        return true
    }

    func application(_ application: UIApplication, didRegisterForRemoteNotificationsWithDeviceToken deviceToken: Data) {
        let tokenParts = deviceToken.map { data -> String in
            return String(format: "%02.2hhx", data)
        }
        let token = tokenParts.joined()
        os_log("AppDelegate application(_:didRegisterForRemoteNotificationsWithDeviceToken:) token: %@", token)
    }

    func application(_ application: UIApplication, didFailToRegisterForRemoteNotificationsWithError error: Error) {
        os_log("AppDelegate application(_:didFailToRegisterForRemoteNotificationsWithError:) error: %@", error.localizedDescription)
    }

    func application(_ application: UIApplication, didReceiveRemoteNotification userInfo: [AnyHashable : Any], fetchCompletionHandler completionHandler: @escaping (UIBackgroundFetchResult) -> Void) {
        os_log("AppDelegate application(_:didReceiveRemoteNotification:fetchCompletionHandler:)")
            if let aps = userInfo["aps"] as? [String: AnyObject] {
            if aps["content-available"] as? Int == 1 {
                RestController.shared.onPing = { () in
                    RestController.shared.onPing = nil
                    completionHandler(.newData)
                    os_log("AppDelegate onPing")
                }

                RestController.shared.pingBackground(login: Login.shared)
//                RestController.shared.pingForeground(login: Login.shared)
            }
        }
    }

    func application(_ application: UIApplication, handleEventsForBackgroundURLSession identifier: String, completionHandler: @escaping () -> Void) {
        RestController.shared.backgroundSessionCompletionHandler = completionHandler
    }
}

RestController.swift обрабатывает URLSession s с фоновыми конфигурациями:

class RestController: NSObject, URLSessionDelegate, URLSessionTaskDelegate, URLSessionDownloadDelegate {

    // MARK: - Properties

    static let shared = RestController()
    let identifier = "no.qassql.ping.background"
    let ip = "http://123.456.7.89:3000"
    var backgroundUrlSession: URLSession?
    var backgroundSessionCompletionHandler: (() -> Void)?
    var onPing: (() -> ())?

    // MARK: - Initialization

    override init() {
        super.init()
        let configuration = URLSessionConfiguration.background(withIdentifier: identifier)
        configuration.isDiscretionary = false
        configuration.sessionSendsLaunchEvents = true
        backgroundUrlSession = URLSession(configuration: configuration, delegate: self, delegateQueue: nil)
    }

    // MARK: - Delegate functions

    func urlSessionDidFinishEvents(forBackgroundURLSession session: URLSession) {
        DispatchQueue.main.async {
            if let completionHandler = self.backgroundSessionCompletionHandler {
                self.backgroundSessionCompletionHandler = nil
                completionHandler()
            }
        }
    }

    func urlSession(_ session: URLSession, task: URLSessionTask, didCompleteWithError error: Error?) {
        if let error = error {
            os_log("RestController urlSession(_:task:didCompleteWithError:) error: %@", error.localizedDescription)
        }
    }

    func urlSession(_ session: URLSession, downloadTask: URLSessionDownloadTask, didFinishDownloadingTo location: URL) {
        do {
            let data = try Data(contentsOf: location)
            let respopnse = downloadTask.response
            let error = downloadTask.error

            self.completionHandler(data: data, response: respopnse, error: error)
        } catch {
            os_log("RestController urlSession(_:downloadTask:didFinishDownloadingTo:) error: %@", error.localizedDescription)
        }
    }

    // MARK: - Private functions

    private func completionHandler(data: Data?, response: URLResponse?, error: Error?) {
        guard let data = data else { return }

        if let okResponse = OkResponse.deSerialize(data: data) {
            if okResponse.message == ("ping_" + Login.shared.username) {
                RestController.shared.onPing?()
            }
        }
    }

    // MARK: - Public functions

    func pingBackground(login: Login) {
        guard let url = URL(string: ip + "/ping") else { return }
        var request = URLRequest(url: url, cachePolicy: .reloadIgnoringCacheData, timeoutInterval: 20)
        request.setValue("application/json", forHTTPHeaderField: "Content-Type")
        request.httpMethod = "POST"
        request.httpBody = login.serialize()

        if let backgroundUrlSession = backgroundUrlSession {
            backgroundUrlSession.downloadTask(with: request).resume()
        }
    }

    func pingForeground(login: Login) {
        guard let url = URL(string: ip + "/ping") else { return }
        var request = URLRequest(url: url)
        request.setValue("application/json", forHTTPHeaderField: "Content-Type")
        request.httpMethod = "POST"
        request.httpBody = login.serialize()

        URLSession.shared.dataTask(with: request) { (data, response, error) in
            return self.completionHandler(data: data, response: response, error: error)
        }.resume()
    }
}

1 Ответ

0 голосов
/ 01 июля 2018

Добавив App provides Voice over IP services в качестве обязательного фонового режима в info.plist и используя PushKit для обработки полезных нагрузок APN, я смог сделать то, что хотел.SSCCE (пример) доступен в моем хранилище:

https://github.com/knutvalen/ping

...