0

我有一个 TableViewController,我们称之为A,它位于另一个视图控制器B的容器视图中。当B中的值发生变化时,我需要A重新加载它的数据。我还需要它从B获取这个更改的值。有任何想法吗?

4

1 回答 1

1

您是否考虑过使用通知

所以,在B - 我会做类似的事情:

// ViewControllerB.swift

import UIKit

static let BChangedNotification = "ViewControllerBChanged"

class ViewControllerB: UIViewController {

    //... truncated

    func valueChanged(sender: AnyObject) {
        let changedValue = ...
        NSNotificationCenter.defaultCenter().postNotificationName(
            BChangedNotification, object: changedValue)
    }

    //... truncated
}

跟进A看起来像这样 -你提到的ValueType的类型在哪里:

import UIKit

class ViewControllerA: UITableViewController {

    //... truncated

    required init(coder aDecoder: NSCoder) {
        super.init(coder: aDecoder)

        //...truncated

        NSNotificationCenter.defaultCenter().addObserver(self,
            selector: "onBChangedNotification:",
            name: BChangedNotification,
            object: nil)
    }

    //... truncated

    func onBChangedNotification(notification: NSNotification) {
        if let newValue = notification.object as? ValueType {

            //...truncated (do something with newValue)

            self.reloadData()
        }
    }
}

最后——不要忘记在A的方法中移除观察者deinit

import UIKit

class ViewControllerA: UITableViewController {

    //... truncated 

    deinit {
        NSNotificationCenter.defaultCenter().removeObserver(self)
    }

    //... truncated
}
于 2015-08-22T23:17:06.147 回答