Sooner or later, you will face the problem with object which are not deallocating. How to check if object gets deallocated? Just use deinit method like below:

deinit {
    print("I'm deallocating \(self)")
}

If you won’t see such message when you think you class should be gone, the easiest way is to debug allocations. Because the most common reason for such behavior are strong references, you can print allocation counter this way:

print("ARC count \(CFGetRetainCount(self))")

But where to put this? First of all, in all you initialization methods. Just add some those prints after each few lines, and you should see where counter is growing. The same in cleanup methods, or if you dont have any, you can put this somewhere when your view controller is closing, like:

self.dismiss(animated: false) {
            print("VC is closing \(self.myobject)")
        }

And how to avoid strong references? The most common mistake, is using self in blocks, this is the place where you should use [unowned self], this way:

Timer.scheduledTimer(withTimeInterval: 1, repeats: true, block: { [unowned self] (timer) in
                self.myobject.doSomething()
            })

Getting “User interaction is not allowed” error in your build task? If yes, solution is very simple. Just login your build user (usually “jenkins”) via the GUI (which means VNC) and open Keychain Access. Select your signing private key, right-click, choose Get Info, change to the Access Control tab and select the “Allow all applications to access this item”.
Now error should be gone.

So you are trying to send instant message to parent iPhone app and still receiving “Payload could not be delivered”? This happens only if one of those two thing occured:
1. there is no connection to watch (you should check session.reachable in WCSession)
2. your iPhone app is not responding with didReceiveMessage:replyHandler:

Second one is the most probably so how to fix it? There are 2 “didReceiveMessage” methods in WCSessionDelegate protocol, to make it work, you need to implement second one:

- (void)session:(WCSession *)session didReceiveMessage:(NSDictionary *)message replyHandler:(void(^)(NSDictionary *replyMessage))replyHandler;

so just make it look like:

- (void)session:(WCSession *)session didReceiveMessage:(NSDictionary *)message replyHandler:(void(^)(NSDictionary *replyMessage))replyHandler {
    NSLog(@"iPhone: didReceiveMessage %@", message);
    replyHandler(@{@"command": @"reply"});
} 

You just need to respond with NSDictionary. And it works. Really.