обновление WatchOS2 ClockKit с данными IOS

Я пытаюсь обновить усложнение часов watchOS2 данными, переданными через WatchConnectivity с IOS/iPhone.

Несмотря на довольно много исследований, пока безуспешных. Однако я обнаружил, что другие сообщения описывают аналогичную проблему (пока без решения)

Столкнулся с 3 проблемами:

1) sendMessage от ComplicationController, похоже, не будит родительское приложение IOS (в то время как тот же sendMessage, отправленный из InterfaceController, пробуждает родительское приложение IOS)

2) даже когда значение передается в ComplicationController (через sendUserInfoToComplication и когда приложение IOS находится на переднем плане), значение, отображаемое в усложнении, только иногда обновляется (не нашел закономерность, почему иногда это происходит/иногда нет)

3) Я установил «getNextRequestUpdate..» на 2 минуты (в целях тестирования). Хотя, похоже, это не имеет никакого значения. (срабатывает даже в симуляторе в произвольное время, но «бюджет» не используется / я устанавливаю стопоры для проверки)

Обратите внимание, что я относительно новичок в программировании на IOS/Swift. Но я вижу, основываясь на других вопросах / сообщениях, что я, кажется, не единственный, кто борется с этим.

Вот пример кода:

Контроллер сложности:

//
//  ComplicationController.swift
//  IOSDataToComplication WatchKit Extension
//
//  Created by Thomas Peter on 11.10.2015.
//  Copyright © 2015 Thomas Peter. All rights reserved.
//

import ClockKit
import WatchConnectivity


class ComplicationController: NSObject, CLKComplicationDataSource, WCSessionDelegate {

    var session:WCSession!
    var text:String = "watchdefault"
    var textOld:String = ""
    var header:String = "TestHeader"

    override init(){
        super.init()
        startSession()

    }

    // MARK: - Timeline Configuration

    func getSupportedTimeTravelDirectionsForComplication(complication: CLKComplication, withHandler handler: (CLKComplicationTimeTravelDirections) -> Void) {
        handler([.None])
    }

    func getTimelineStartDateForComplication(complication: CLKComplication, withHandler handler: (NSDate?) -> Void) {
        handler(nil)
    }

    func getTimelineEndDateForComplication(complication: CLKComplication, withHandler handler: (NSDate?) -> Void) {
        handler(nil)
    }

    func getPrivacyBehaviorForComplication(complication: CLKComplication, withHandler handler: (CLKComplicationPrivacyBehavior) -> Void) {
        handler(.ShowOnLockScreen)
    }

    // MARK: - Timeline Population

    func getCurrentTimelineEntryForComplication(complication: CLKComplication, withHandler handler: ((CLKComplicationTimelineEntry?) -> Void)) {
        // Call the handler with the current timeline entry

        if complication.family == .ModularLarge {

            //createData()

            let entry = self.createTimeLineEntry(text, date: NSDate())

            handler(entry)


        } else {


            handler(nil)
        }
    }


    func getTimelineEntriesForComplication(complication: CLKComplication, beforeDate date: NSDate, limit: Int, withHandler handler: (([CLKComplicationTimelineEntry]?) -> Void)) {
        // Call the handler with the timeline entries prior to the given date
        handler(nil)
    }

    func getTimelineEntriesForComplication(complication: CLKComplication, afterDate date: NSDate, limit: Int, withHandler handler: (([CLKComplicationTimelineEntry]?) -> Void)) {
        // Call the handler with the timeline entries after to the given date
        handler(nil)
    }

    // MARK: - Update Scheduling

    func getNextRequestedUpdateDateWithHandler(handler: (NSDate?) -> Void) {
        // Call the handler with the date when you would next like to be given the opportunity to update your complication content
        handler(NSDate(timeIntervalSinceNow: (60 * 2)))
    }

    // MARK: - Placeholder Templates

    func getPlaceholderTemplateForComplication(complication: CLKComplication, withHandler handler: (CLKComplicationTemplate?) -> Void) {
        // This method will be called once per supported complication, and the results will be cached
        let template = CLKComplicationTemplateModularLargeStandardBody()
        template.headerTextProvider = CLKSimpleTextProvider(text: "header")
        template.body1TextProvider = CLKSimpleTextProvider(text:"defaul text")


        handler(nil)
    }

    func requestedUpdateDidBegin() {
        print("Complication update is starting")


        createData()

        let server=CLKComplicationServer.sharedInstance()

        for comp in (server.activeComplications) {
            server.reloadTimelineForComplication(comp)
            print("Timeline has been reloaded!")

        }

    }



    func requestedUpdateBudgetExhausted() {
        print("Budget exhausted")
    }


    func createTimeLineEntry(bodyText: String, date:NSDate) -> CLKComplicationTimelineEntry {

        let template = CLKComplicationTemplateModularLargeStandardBody()
        template.headerTextProvider = CLKSimpleTextProvider(text: header)
        template.body1TextProvider = CLKSimpleTextProvider(text: text)

        let entry = CLKComplicationTimelineEntry(date: date, complicationTemplate: template)
        return(entry)
    }

    func createData(){


        let applicationData = ["wake":"fromComplication"]


        session.sendMessage(applicationData, replyHandler: {(replyMessage: [String : AnyObject]) -> Void in
            // handle reply from iPhone app here

            //let answer:[String:AnyObject] = replyMessage
            self.text = replyMessage["text"] as! String
            print("complication received messagereply \(self.text)")

            }, errorHandler: {(error ) -> Void in
                // catch any errors here
                print("no reply message")


        })

        print("complication sent \(applicationData) to iOS")

    }

    func session(session: WCSession, didReceiveUserInfo userInfo: [String : AnyObject]) {

        textOld = text
        text = userInfo["text"] as! String

        print("complication received userinfo \(text)")

        dispatch_async(dispatch_get_main_queue()) {

        //if text != textOld {
            self.requestedUpdateDidBegin()
        //}
        }
    }




    private func startSession(){

        if (WCSession.isSupported()) {
            session = WCSession.defaultSession()
            session.delegate = self;
            session.activateSession()
        }
    }

}

Вьюконтроллер:

//
//  ViewController.swift
//  IOSDataToComplication
//
//  Created by Thomas Peter on 11.10.2015.
//  Copyright © 2015 Thomas Peter. All rights reserved.
//

import UIKit
import WatchConnectivity


class ViewController: UIViewController, WCSessionDelegate {

    var session:WCSession!

    var time:String = "default"

    var text:String = "default"




    override func viewDidLoad() {
        super.viewDidLoad()
        // Do any additional setup after loading the view, typically from a nib.

        startSession()
        getData()
        sendUserInfoToComplication()
  }

    override func didReceiveMemoryWarning() {
        super.didReceiveMemoryWarning()
        // Dispose of any resources that can be recreated.
    }


    func getData(){
        let timeValue = NSDate()
        let dateFormatter = NSDateFormatter()
        dateFormatter.dateFormat = "hh:mm"
        time = dateFormatter.stringFromDate(timeValue)

        text = "iPhone \(time)"
        print("constructed \(text)")

    }

    private func startSession(){

        if (WCSession.isSupported()) {
            session = WCSession.defaultSession()
            session.delegate = self;
            session.activateSession()
        }

        print("iPhone session started")

    }

    func session(session: WCSession, didReceiveMessage message: [String : AnyObject], replyHandler: ([String : AnyObject]) -> Void) {

        let receivedMessage = message["wake"] as! String

        print("iphone received message \(receivedMessage)")


        let applicationDict = ["text":text]

        replyHandler(applicationDict as [String : AnyObject])

        getData()

    }

    func sendUserInfoToComplication(){

        let applicationDict = ["text":text]

        session.transferCurrentComplicationUserInfo(applicationDict)
        print("iphone sent userinfo \(applicationDict) to complication")

    }


}

Кроме того, при запуске Simulator я получаю целый ряд сообщений, похожих на следующие:

objc[7501]: Class SPAssetCacheAssets is implemented in both /Applications/Xcode.app/Contents/Developer/Platforms/WatchSimulator.platform/Developer/SDKs/WatchSimulator.sdk/System/Library/Frameworks/WatchKit.framework/WatchKit and /Applications/Xcode.app/Contents/Developer/Platforms/WatchSimulator.platform/Developer/SDKs/WatchSimulator.sdk/System/Library/PrivateFrameworks/SockPuppetGizmo.framework/SockPuppetGizmo. One of the two will be used. Which one is undefined.
objc[7501]: Class SPAssetCacheSyncData is implemented in both /Applications/Xcode.app/Contents/Developer/Platforms/WatchSimulator.platform/Developer/SDKs/WatchSimulator.sdk/System/Library/Frameworks/WatchKit.framework/WatchKit and /Applications/Xcode.app/Contents/Developer/Platforms/WatchSimulator.platform/Developer/SDKs/WatchSimulator.sdk/System/Library/PrivateFrameworks/SockPuppetGizmo.framework/SockPuppetGizmo. One of the two will be used. Which one is undefined.

person TPeter    schedule 11.10.2015    source источник
comment
вот ссылка на код: github.com/thpeter71/IOSDataToComplication.git   -  person TPeter    schedule 11.10.2015
comment
Вы когда-нибудь разбирались с этим?   -  person bkSwifty    schedule 21.10.2015
comment
к сожалению нет. Все еще борюсь со всеми 3 пунктами, перечисленными выше   -  person TPeter    schedule 22.10.2015


Ответы (2)


Используйте CLKComplicationServer следующим образом:

CLKComplicationServer* server = [CLKComplicationServer sharedInstance];
[server.activeComplications enumerateObjectsUsingBlock:^(CLKComplication * _Nonnull each, NSUInteger idx, BOOL * _Nonnull stop) {
    [server reloadTimelineForComplication: each];
}];

Он вызовет ваш ComplicationController.

person jeeeyul    schedule 13.10.2015
comment
спасибо Джиюль. Если возможно, могу ли я спросить вас, как это будет выглядеть в Swift (я не знаю цели C)? когда я копирую ваш код (заменяя let server=CLKComplicationServer.sharedInstance() на comp в (server.activeComplications) { server.reloadTimelineForComplication(comp) }', я получаю целый список ошибок (попытка вставить и т. д.) - person TPeter; 13.10.2015

При отладке осложнений в симуляторах вам необходимо выходить из симулятора часов между каждым запуском сеанса отладки из Xcode. Если вы этого не сделаете, вы получите проблемы с ошибкой 7007, и getNextRequestedUpdateDateWithHandler не будет вызываться.

Это обновит ваше усложнение:

let server = CLKComplicationServer.sharedInstance()
server.activeComplications.forEach { server.reloadTimelineForComplication($0) }
person Jens Utbult    schedule 25.11.2015