Swift - NSNotificationCenter发送通知,接收通知

通知(NSNotification)介绍

这里所说的通知不是指发给用户看的通知消息,而是系统内部进行消息传递的通知。要介绍通知之前,我们需要先了解什么是观察者模式。

观察者模式 (Observer):指一个对象在状态变化的时候会通知另一个对象。参与者并不需要知道其他对象的具体是干什么的 。这是一种降低耦合度的设计。常见的使用方法是观察者注册监听,然后在状态改变的时候,所有观察者们都会收到通知。

在 MVC 里,观察者模式意味着需要允许 Model 对象和 View 对象进行交流,而不能有直接的关联。
Cocoa 使用两种方式实现了观察者模式: 一个是 Key-Value Observing (KVO),另一个便是本文要讲的Notification。

添加观察者

NSNotificationCenter.defaultCenter().addObserver(self, selector:#selector(TranscriptDetailViewController.getExamId(_:)), name: "examDidChanged", object: nil)
        
NSNotificationCenter.defaultCenter().addObserver(self, selector:#selector(TranscriptDetailViewController.getExamCourseId(_:)), name: "examCourseDidChanged", object: nil)
    func getExamId(notification:NSNotification) {
        let userInfo = notification.userInfo as! [String: AnyObject]
        let examId = userInfo["examId"] as! String
        let examName = userInfo["examName"] as! String

        print("\(name) 获取到通知,用户数据是[\(examId),\(examName)]")
        NSUserDefaultsHelper().setDefault("examId", value: examId)
        NSUserDefaultsHelper().setDefault("examName", value: examName)
        
        getStudentReport()
        
    }

    func getExamCourseId(notification:NSNotification) {
        let userInfo = notification.userInfo as! [String: AnyObject]
        let examCourseId = userInfo["examCourseId"] as! String
        let courseName = userInfo["courseName"] as! String
        
        print("\(name) 获取到通知,用户数据是[\(examCourseId),\(courseName)]")
        NSUserDefaultsHelper().setDefault("examCourseId", value: examCourseId)
        
        getStudentReport()        
    }

移除通知监听

如果不需要的话,记得把相应的通知注册给取消,避免内存浪费或崩溃

    deinit {
        // 记得移除通知监听
        // 如果不需要的话,记得把相应的通知注册给取消,避免内存浪费或崩溃
        NSNotificationCenter.defaultCenter().removeObserver(self)
    }

发送通知

NSNotificationCenter.defaultCenter().postNotificationName("examDidChanged",
                                                                      object: self, userInfo: ["examId":examInfo.examId,"examName":examInfo.examName])
NSNotificationCenter.defaultCenter().postNotificationName("examCourseDidChanged",
                                                                      object: self, userInfo: ["examCourseId":examCoureseInfo.examCourseId,"courseName":examCoureseInfo.courseName])

你可能感兴趣的:(Swift - NSNotificationCenter发送通知,接收通知)