Как передать объект с помощью NSNotificationCenter

129

Я пытаюсь передать объект из делегата моего приложения получателю уведомлений в другом классе.

Я хочу передать целое число messageTotal. Прямо сейчас у меня есть:

В приемнике:

- (void) receiveTestNotification:(NSNotification *) notification
{
    if ([[notification name] isEqualToString:@"TestNotification"])
        NSLog (@"Successfully received the test notification!");
}

- (void)viewDidLoad {
    [super viewDidLoad];

    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(dismissSheet) name:UIApplicationWillResignActiveNotification object:nil];
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(receiveTestNotification:) name:@"eRXReceived" object:nil];

В классе, который отправляет уведомление:

[UIApplication sharedApplication].applicationIconBadgeNumber = messageTotal;
[[NSNotificationCenter defaultCenter] postNotificationName:@"eRXReceived" object:self];

Но я хочу передать объект messageTotalдругому классу.

Джон
источник
для Swift 2.0 и Swift 3.0 stackoverflow.com/questions/36910965/…
Сахил,

Ответы:

235

Вам нужно будет использовать вариант userInfo и передать объект NSDictionary, содержащий целое число messageTotal:

NSDictionary* userInfo = @{@"total": @(messageTotal)};

NSNotificationCenter* nc = [NSNotificationCenter defaultCenter];
[nc postNotificationName:@"eRXReceived" object:self userInfo:userInfo];

На принимающей стороне вы можете получить доступ к словарю userInfo следующим образом:

-(void) receiveTestNotification:(NSNotification*)notification
{
    if ([notification.name isEqualToString:@"TestNotification"])
    {
        NSDictionary* userInfo = notification.userInfo;
        NSNumber* total = (NSNumber*)userInfo[@"total"];
        NSLog (@"Successfully received test notification! %i", total.intValue);
    }
}
LearnCocos2D
источник
Спасибо, я устанавливаю messageTotalзначок на UIButton, вы знаете, как я могу обновить кнопку с новым счетчиком значков? Код для отображения изображения viewDidLoadявляетсяUIBarButtonItem *eRXButton = [BarButtonBadge barButtonWithImage:buttonImage badgeString:@"1" atRight:NO toTarget:self action:@selector(eRXButtonPressed)];
Jon
Я не уверен, почему вам нужно сравнивать notification.name. Сопоставление имени должно выполняться при выполнении addObserver (). ReceiveTestNotification должен вызываться только при просмотре определенного уведомления.
Йохан Карлссон
1
Йохан, в этом простом случае вы правы, но возможно, чтобы несколько уведомлений
запускали
93

Опираясь на предоставленное решение, я подумал, что было бы полезно показать пример передачи вашего собственного пользовательского объекта данных (который я здесь назвал «сообщением» в соответствии с вопросом).

Класс А (отправитель):

YourDataObject *message = [[YourDataObject alloc] init];
// set your message properties
NSDictionary *dict = [NSDictionary dictionaryWithObject:message forKey:@"message"];
[[NSNotificationCenter defaultCenter] postNotificationName:@"NotificationMessageEvent" object:nil userInfo:dict];

Класс B (приемник):

- (void)viewDidLoad
{
    [super viewDidLoad];
    [[NSNotificationCenter defaultCenter]
     addObserver:self selector:@selector(triggerAction:) name:@"NotificationMessageEvent" object:nil];
}

#pragma mark - Notification
-(void) triggerAction:(NSNotification *) notification
{
    NSDictionary *dict = notification.userInfo;
    YourDataObject *message = [dict valueForKey:@"message"];
    if (message != nil) {
        // do stuff here with your message data
    }
}
Дэвид Дуглас
источник
2
почему за этот ответ не набралось больше голосов ?! он работает отлично и не взломан!
Рубен Таннер
4
@Kairos, потому что он не предназначен для такого использования. objectпары в postNotificationName должен означает тот , который отправить это уведомление.
xi.lin 09
2
Да, объект должен быть передан как NSDictionary с использованием userInfoпараметра, и принятый ответ выше теперь отредактирован, чтобы показать это.
Дэвид Дуглас
1
Это очень вводит в заблуждение, почему у этого ответа так много голосов? Это следует удалить. Каждый должен использовать userInfo, который был создан именно для этого.
Shinnyx
Хорошо, спасибо за отзыв ... Я обновил ответ, чтобы использовать userInfoсловарь в качестве способа передачи данных объекта.
Дэвид Дуглас
27

Версия Swift 2

Как отметил @Johan Karlsson ... Я делал это неправильно. Вот правильный способ отправки и получения информации с помощью NSNotificationCenter.

Сначала посмотрим на инициализатор postNotificationName:

init(name name: String,
   object object: AnyObject?,
 userInfo userInfo: [NSObject : AnyObject]?)

источник

Мы будем передавать нашу информацию с помощью параметра userInfoparam. [NSObject : AnyObject]Тип трюм-над от Objective-C . Итак, в стране Swift все, что нам нужно сделать, это передать словарь Swift, в котором есть ключи, которые являются производными, NSObjectи значения, которые могут быть AnyObject.

Обладая этими знаниями, мы создаем словарь, который передаем в objectпараметр:

 var userInfo = [String:String]()
 userInfo["UserName"] = "Dan"
 userInfo["Something"] = "Could be any object including a custom Type."

Затем мы передаем словарь в параметр нашего объекта.

отправитель

NSNotificationCenter.defaultCenter()
    .postNotificationName("myCustomId", object: nil, userInfo: userInfo)

Класс приемника

Сначала нам нужно убедиться, что наш класс наблюдает за уведомлением

override func viewDidLoad() {
    super.viewDidLoad()

    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("btnClicked:"), name: "myCustomId", object: nil)   
}
    

Тогда мы можем получить наш словарь:

func btnClicked(notification: NSNotification) {
   let userInfo : [String:String!] = notification.userInfo as! [String:String!]
   let name = userInfo["UserName"]
   print(name)
}
Дэн Больё
источник
Фактически вы нарушаете предполагаемое использование postNotificationName (). Но вы не одиноки. Я видел, как многие разработчики использовали параметр объекта для отправки пользовательских объектов. Второй аргумент, объект, зарезервирован для отправителя. Вы действительно должны использовать userInfo для отправки всех видов объектов. В противном случае вы можете столкнуться со случайными сбоями и т. Д.
Йохан Карлссон
25

Swift 5

func post() {
    NotificationCenter.default.post(name: Notification.Name("SomeNotificationName"), 
        object: nil, 
        userInfo:["key0": "value", "key1": 1234])
}

func addObservers() {
    NotificationCenter.default.addObserver(self, 
        selector: #selector(someMethod), 
        name: Notification.Name("SomeNotificationName"), 
        object: nil)
}

@objc func someMethod(_ notification: Notification) {
    let info0 = notification.userInfo?["key0"]
    let info1 = notification.userInfo?["key1"]
}

Бонус (который обязательно стоит сделать!):

Заменить Notification.Name("SomeNotificationName")на .someNotificationName:

extension Notification.Name {
    static let someNotificationName = Notification.Name("SomeNotificationName")
}

Заменить "key0"и "key1"на Notification.Key.key0и Notification.Key.key1:

extension Notification {
  enum Key: String {
    case key0
    case key1
  }
}

Почему я обязательно должен это делать? Чтобы избежать дорогостоящих опечаток, переименовывайте, пользуйтесь поиском и т. Д.

frouo
источник
Спасибо. Очевидно, расширение Notification.Name возможно, но не Notification.Key. 'Key' is not a member type of 'Notification', Смотрите здесь: https://ibb.co/hDQYbd2
alpennec
Спасибо, похоже, с Keyтех пор структура была удалена.
Обновляю
1

Пользовательский объект / тип Swift 5.1

// MARK: - NotificationName
// Extending notification name to avoid string errors.
extension Notification.Name {
    static let yourNotificationName = Notification.Name("yourNotificationName")
}


// MARK: - CustomObject
class YourCustomObject {
    // Any stuffs you would like to set in your custom object as always.
    init() {}
}

// MARK: - Notification Sender Class
class NotificatioSenderClass {

     // Just grab the content of this function and put it to your function responsible for triggering a notification.
    func postNotification(){
        // Note: - This is the important part pass your object instance as object parameter.
        let yourObjectInstance = YourCustomObject()
        NotificationCenter.default.post(name: .yourNotificationName, object: yourObjectInstance)
    }
}

// MARK: -Notification  Receiver class
class NotificationReceiverClass: UIViewController {
    // MARK: - ViewController Lifecycle
    override func viewDidLoad() {
        super.viewDidLoad()
        // Register your notification listener
        NotificationCenter.default.addObserver(self, selector: #selector(didReceiveNotificationWithCustomObject), name: .yourNotificationName, object: nil)
    }

    // MARK: - Helpers
    @objc private func didReceiveNotificationWithCustomObject(notification: Notification){
        // Important: - Grab your custom object here by casting the notification object.
        guard let yourPassedObject = notification.object as? YourCustomObject else {return}
        // That's it now you can use your custom object
        //
        //

    }
      // MARK: - Deinit
  deinit {
      // Save your memory by releasing notification listener
      NotificationCenter.default.removeObserver(self, name: .yourNotificationName, object: nil)
    }




}
Мусса Чарльз
источник