web-dev-qa-db-ja.com

バックグラウンドで呼び出されない要求ブロックを含むURLSession.datatask

アプリがバックグラウンドにあり、リクエストでURLSessionでスタックしている場合、dataTaskデータタスクブロックは呼び出されません。
アプリを開くと、ブロックが呼び出されます。ちなみに私はhttpsリクエストを使用しています。
これは私のコードです:

    let request = NSMutableURLRequest(url: URL(string: url as String)!,

                                      cachePolicy: .reloadIgnoringCacheData,

                                      timeoutInterval:20)

    request.httpMethod = method as String

    request.setValue("application/x-www-form-urlencoded", forHTTPHeaderField: "Content-Type")

    let session = URLSession.shared

    let data = params.data(using: String.Encoding.utf8.rawValue)

    request.httpBody = data

    session.dataTask(with: request as URLRequest,completionHandler:

        {(data, response, error) -> Void in

         if error == nil

            {

                do {

                    let result = try JSONSerialization.jsonObject(with: data!, options:

                        JSONSerialization.ReadingOptions.mutableContainers)

                    print(result)

                     completionHandler(result as AnyObject?,nil)

                }

                catch let JSONError as NSError{

                    completionHandler(nil,JSONError.localizedDescription as NSString?)

                }

            }

            else{

                completionHandler(nil,error!.localizedDescription as NSString?)                    

            }                

    }).resume()

アプリがアクティブな状態のときに完全に機能します。私のコードに何か問題がありますか?私を指さしてください

7
Test Test

アプリがフォアグラウンドでなくなった後にダウンロードを進行させたい場合は、バックグラウンドセッションを使用する必要があります。バックグラウンドセッションの基本的な制約は バックグラウンドでのファイルのダウンロード に概説されており、基本的に次のとおりです。

  1. バックグラウンドURLSessionでデリゲートベースのURLSessionConfigurationを使用します。

  2. アップロードタスクとダウンロードタスクのみを使用し、完了ハンドラーは使用しません。

  3. IOSでは、 application(_:handleEventsForBackgroundURLSession:completionHandler:) アプリデリゲートを実装し、完了ハンドラーを保存して、バックグラウンドセッションを開始します。

    urlSessionDidFinishEvents(forBackgroundURLSession:)URLSessionDelegateに実装し、保存された完了ハンドラーを呼び出して、バックグラウンドリクエストの完了の処理が完了したことをOSに通知します。

だから、それをまとめる:

func startRequest(for urlString: String, method: String, parameters: String) {
    let url = URL(string: urlString)!
    var request = URLRequest(url: url, cachePolicy: .reloadIgnoringCacheData, timeoutInterval: 20)
    request.httpMethod = method
    request.setValue("application/x-www-form-urlencoded", forHTTPHeaderField: "Content-Type")
    request.httpBody = parameters.data(using: .utf8)
    BackgroundSession.shared.start(request)
}

どこ

class BackgroundSession: NSObject {
    static let shared = BackgroundSession()

    static let identifier = "com.domain.app.bg"

    private var session: URLSession!

    #if !os(macOS)
    var savedCompletionHandler: (() -> Void)?
    #endif

    private override init() {
        super.init()

        let configuration = URLSessionConfiguration.background(withIdentifier: BackgroundSession.identifier)
        session = URLSession(configuration: configuration, delegate: self, delegateQueue: nil)
    }

    func start(_ request: URLRequest) {
        session.downloadTask(with: request).resume()
    }
}

extension BackgroundSession: URLSessionDelegate {
    #if !os(macOS)
    func urlSessionDidFinishEvents(forBackgroundURLSession session: URLSession) {
        DispatchQueue.main.async {
            self.savedCompletionHandler?()
            self.savedCompletionHandler = nil
        }
    }
    #endif
}

extension BackgroundSession: URLSessionTaskDelegate {
    func urlSession(_ session: URLSession, task: URLSessionTask, didCompleteWithError error: Error?) {
        if let error = error {
            // handle failure here
            print("\(error.localizedDescription)")
        }
    }
}

extension BackgroundSession: URLSessionDownloadDelegate {
    func urlSession(_ session: URLSession, downloadTask: URLSessionDownloadTask, didFinishDownloadingTo location: URL) {
        do {
            let data = try Data(contentsOf: location)
            let json = try JSONSerialization.jsonObject(with: data)

            print("\(json)")
            // do something with json
        } catch {
            print("\(error.localizedDescription)")
        }
    }
}

そして、iOSアプリのデリゲートは次のことを行います。

func application(_ application: UIApplication, handleEventsForBackgroundURLSession identifier: String, completionHandler: @escaping () -> Void) {
    BackgroundSession.shared.savedCompletionHandler = completionHandler
}
28
Rob

バックグラウンドセッションが必要です。 AppleのドキュメントによるとバックグラウンドダウンロードをサポートしていないURLSessionDataTask。

URLSessionDownloadTaskを作成し、それが機能するはずのデリゲートメソッドを使用します。

これに従ってください リンク

0
rameez