仅仅是我,还是NotificationCenter在Swift 3中变得一团糟? :)

我有以下设置:

// Yonder.swift
extension Notification.Name {
  static let preferenceNotification = Notification.Name("preferencesChanged")
}

// I fire the notification elsewhere, like this:
NotificationCenter.default.post(name: .preferenceNotification, object: nil)

在我的第一个 View Controller 中,这很好用:
// View Controller A <-- Success!
NotificationCenter.default.addObserver(self, selector: #selector(refreshData), name: .preferenceNotification, object: nil)

func refreshData() {
  // ...
}

但是这个 View Controller :
//View Controller B <-- Crash :(
NotificationCenter.default.addObserver(self, selector: #selector(loadEntries(search:)), name: .preferenceNotification, object: nil)

func loadEntries(search:String?) {
  // ...
}

...崩溃:



据我所知,我的观察者设置正确。知道我在做什么错吗?

最佳答案

您的问题出在loadEntries(search:)方法上。这不是有效的签名。通知中心使用的选择器必须没有参数或只有一个参数。如果您有一个参数,则该参数将是Notification对象,而不是通知名称。

您的loadEntries必须为:

func loadEntries(_ notification: NSNotification) {
    // Optional check of the name
    if notification.name == .preferenceNotification {
    }
}

选择器必须是:
#selector(loadEntries(_:)) // or #selector(loadEntries)

10-08 06:00