Swift向MacOS通知中心发送通知

MacOS中,屏幕右侧有通知中心,可以用来显示一些应用推送的消息,例如下图所示的邮件通知:

Swift向MacOS通知中心发送通知_第1张图片
MacOS通知中心

要实现该功能主要用到 NSUserNotificationNSUserNotificationCenter 这两个类。本文将具体介绍如何在Swift中用这两个类向通知中心发送消息,并弹出横幅。

  1. 在测试工程中新建一个NSWindowController并命名为UserNotificationTester,如下图所示:


    Swift向MacOS通知中心发送通知_第2张图片
    新建NSWIndowController
  2. 在新建的窗口上添加NSButton,绑定点击事件(Action),并发送通知,代码如下:

     @IBAction func btnSendUserNotificationClick(sender: AnyObject) {
         // 定义NSUserNotification
         let userNotification = NSUserNotification()
         userNotification.title = "消息Title"
         userNotification.subtitle = "消息SubTitle"
         userNotification.informativeText = "消息InformativeText"
         // 使用NSUserNotificationCenter发送NSUserNotification
         let userNotificationCenter = NSUserNotificationCenter.defaultUserNotificationCenter()
         userNotificationCenter.scheduleNotification(userNotification)
     }
    
  3. 编译并运行程序,点击按钮,可看到右侧通知中心出现如下图通知:


    Swift向MacOS通知中心发送通知_第3张图片
    通知效果
  4. 然后并没有出现弹出的横幅,想要实现弹出横幅效果,需要用到委托:NSUserNotificationCenterDelegate,使用该委托(Delegate)实现User Notification Display Override即可,具体代码如下:
    func userNotificationCenter(center: NSUserNotificationCenter, shouldPresentNotification notification: NSUserNotification) -> Bool {
    return true
    }
    并设定步骤2中userNotificationCenter的delegate为self
    userNotificationCenter.delegate = self

  5. 再次编译运行程序,点击按钮,不仅可以在右侧通知中心看到发送的消息,也可以在桌面右上侧出现横幅,如下图所示:


    Swift向MacOS通知中心发送通知_第4张图片
    横幅通知
  6. 注:如果还没有出现横幅,可以在“系统偏好设置”的“通知”功能中,检查一下是否选中了“横幅”的提示样式,如下图所示:


    Swift向MacOS通知中心发送通知_第5张图片
    通知的提示样式

最后,附上该测试窗口的完整代码如下:

import Cocoa

class UserNotificationTester: NSWindowController, NSUserNotificationCenterDelegate {

    override var windowNibName: String {
        return "UserNotificationTester"
    }

    override func windowDidLoad() {
        super.windowDidLoad()

        // Implement this method to handle any initialization after your window controller's window has been loaded from its nib file.
    }

    @IBAction func btnSendUserNotificationClick(sender: AnyObject) {
        // 定义NSUserNotification
        let userNotification = NSUserNotification()
        userNotification.title = "消息Title"
        userNotification.subtitle = "消息SubTitle"
        userNotification.informativeText = "消息InformativeText"
        // 使用NSUserNotificationCenter发送NSUserNotification
        let userNotificationCenter = NSUserNotificationCenter.defaultUserNotificationCenter()
        userNotificationCenter.delegate = self
        userNotificationCenter.scheduleNotification(userNotification)
    }

    func userNotificationCenter(center: NSUserNotificationCenter, shouldPresentNotification notification: NSUserNotification) -> Bool {
        return true
    }

}

你可能感兴趣的:(Swift向MacOS通知中心发送通知)