iPhone: увеличение значка приложения через локальное уведомление

можно ли увеличить значок приложения через локальное уведомление, пока приложение не запущено?

Я знаю, как установить значок, но не нашел способа увеличить это значение.

localNotification.applicationIconBadgeNumber = 23;

обновление: я нашел (далеко не идеальное) решение. Вы можете предсказать, что произойдет, если пользователь не откроет приложение и не добавит уведомления для каждого +1 событие.

пример:

  • за день 1: Count = 0
  • для дня 2: localNotification.applicationIconBadgeNumber = 1;
  • для дня 3: localNotification.applicationIconBadgeNumber = 2;
  • для дня 4: localNotification.applicationIconBadgeNumber = 3;

==> поместите эти уведомления в массив и установите их перед выходом приложения.

тем не менее, я ищу лучшее решение чем этот способ.

10 ответов


единственный способ, которым вы сможете динамически установить номер значка, когда ваше приложение не работает, - это push-уведомления. Вам придется отслеживать обновления на стороне сервера.


Я нашел, реализовал и протестировал "обходной путь" для (apparantly) автоматического увеличения номера значка значка приложения, который отлично работает с неповторяющиеся локальные уведомления

действительно невозможно, чтобы UILocalNotifications "автоматически" обновляли/увеличивали номер значка при запуске нескольких локальных уведомлений, и пользователь "игнорирует" их или не обрабатывает их сразу, поэтому они "накапливаются" в Центре уведомлений.

также добавлять некоторые метод обратного вызова в приложения не заботиться о авто инкремент, потому что все это уведомление осуществляется " вне " приложения для iOS, приложение не должны быть запущены.

однако существует некоторое обходное решение, основанное на знаниях, которые я нашел путем экспериментов, потому что документация XCode слишком расплывчата в свойстве badge.

  • значок-это просто "целое число", на самом деле больше похоже на "фиктивная метка", назначенная свойству applicationIconBadgeNumber, непосредственно перед регистрацией уведомления. Вы можете дать его любой значение - когда уведомление срабатывает, iOS добавит это значение значка, независимо от того, что вы установили его на момент регистрации уведомления. Нет никакого волшебного "автоматического приращения" или других манипуляций iOS (возможно, это отличается от push-уведомлений, но это не тема здесь). iOS просто принимает число (целое число) из зарегистрированного уведомления, и помещает его в бейдж.

таким образом, для "обходного пути" ваше приложение должно уже предоставить правильный, увеличивающий номер значка для каждого уведомления, которое оно создает и регистрирует "поверх ожидающих уведомлений".

поскольку ваше приложение не может смотреть в будущее и знать, какие события вы будете обрабатывать немедленно, и какие из них вы оставите "в ожидании" на некоторое время, есть какой-то трюк :

при уведомления обрабатывается вашим приложением(нажав на уведомление (ы), значок, ...), вы должны :

  1. получить копию всех ожидающих уведомлений
  2. 'перенумеровать' номер значка этих ожидающих уведомлений
  3. удалить все ожидающие уведомления
  4. перерегистрация копии уведомлений с исправленным значком снова цифры

кроме того, когда ваше приложение регистрирует новое уведомление, оно должно проверить, сколько уведомлений в ожидании первого и зарегистрировать новое уведомление с :

badgeNbr = nbrOfPendingNotifications + 1;

глядя на мой код, он станет яснее. Я проверил это, и это определенно работает:

в вашем методе "registerLocalNotification" вы должны сделать следующее:

NSUInteger nextBadgeNumber = [[[UIApplication sharedApplication] scheduledLocalNotifications] count] + 1;
localNotification.applicationIconBadgeNumber = nextBadgeNumber;

когда вы обрабатываете уведомление (appDelegate), вы должны вызвать метод ниже, который очищает значок на значке и перенумерует значки для ожидающих уведомлений (если они есть)

обратите внимание, что следующий код отлично работает для "последовательных" зарегистрированных событий. Если вы хотите "добавить" события между ожидающими, вам придется сначала "переупорядочить" эти события. Я не заходил так далеко, но думаю, что это возможно.

- (void)renumberBadgesOfPendingNotifications
{
    // clear the badge on the icon
    [[UIApplication sharedApplication] setApplicationIconBadgeNumber:0];

    // first get a copy of all pending notifications (unfortunately you cannot 'modify' a pending notification)
    NSArray *pendingNotifications = [[UIApplication sharedApplication] scheduledLocalNotifications];

    // if there are any pending notifications -> adjust their badge number
    if (pendingNotifications.count != 0)
    {
        // clear all pending notifications
        [[UIApplication sharedApplication] cancelAllLocalNotifications];

        // the for loop will 'restore' the pending notifications, but with corrected badge numbers
        // note : a more advanced method could 'sort' the notifications first !!!
        NSUInteger badgeNbr = 1;

        for (UILocalNotification *notification in pendingNotifications)
        {
            // modify the badgeNumber
            notification.applicationIconBadgeNumber = badgeNbr++;

            // schedule 'again'
            [[UIApplication sharedApplication] scheduleLocalNotification:notification];
        }
    }
}

чтобы быть действительно "пуленепробиваемым", этот метод должен быть "атомарным" (ядром) кодом, предотвращающим запуск iOS уведомления во время выполнения этого метода. Нам придется рискнуть здесь, шансы очень малы, что это произойдет.

Это мой первый вклад в Stackoverflow, поэтому вы также можете прокомментировать, если я не следую "правилам" здесь


на основе документация, Я считаю, что вы не можете увеличить значение значка, когда ваше приложение не работает. Вы устанавливаете номер значка при планировании уведомления, поэтому его невозможно увеличить.

приложение отвечает за управление номером значка, отображаемого на его значке. Например, если приложение для обмена текстовыми сообщениями обрабатывает все входящие сообщения после получения локального уведомления, следует удалить значок значка, задав свойству applicationIconBadgeNumber объекта UIApplication значение 0.


добавьте следующий код в делегат проекта.

- (void)applicationDidEnterBackground:(UIApplication *)application
{
    NSLog(@"%s",__FUNCTION__);

    NSArray *arrayOfLocalNotifications = [[UIApplication sharedApplication] scheduledLocalNotifications] ;

    for (UILocalNotification *localNotification in arrayOfLocalNotifications) {
        NSLog(@"the notification: %@", localNotification);
        localNotification.applicationIconBadgeNumber= application.applicationIconBadgeNumber+1;
    }
}

это работает для меня. :-)


Whasssaabhhh ответ в Swift 2.1, с сортировкой

func renumberBadgesOfPendingNotifications() {
    let app = UIApplication.sharedApplication()
    let pendingNotifications = app.scheduledLocalNotifications

    // clear the badge on the icon
    app.applicationIconBadgeNumber = 0

    // first get a copy of all pending notifications (unfortunately you cannot 'modify' a pending notification)
    // if there are any pending notifications -> adjust their badge number
    if let pendings = pendingNotifications where pendings.count > 0 {

        // sorted by fire date.
        let notifications = pendings.sort({ p1, p2 in p1.fireDate!.compare(p2.fireDate!) == .OrderedAscending })

        // clear all pending notifications
        app.cancelAllLocalNotifications()

        // the for loop will 'restore' the pending notifications, but with corrected badge numbers
        var badgeNumber = 1
        for n in notifications {

            // modify the badgeNumber
            n.applicationIconBadgeNumber = badgeNumber++

            // schedule 'again'
            app.scheduleLocalNotification(n)
        }
    }
}

ответ Whasssaaahhh был очень полезен для меня. Мне также нужно было сортировать уведомления на основе их fireDates. Вот код Whasssaaahhh с моим кодом для сортировки уведомлений с помощью метода делегата NSArray для сортировки - [NSArray sortedArrayUsingComparator:^(id obj1, id obj2) {}];

- (void)renumberBadgesOfPendingNotifications
{
    // clear the badge on the icon
    [[UIApplication sharedApplication] setApplicationIconBadgeNumber:0];

    // first get a copy of all pending notifications (unfortunately you cannot 'modify' a pending notification)
    // Sort the pending notifications first by their fireDate
    NSArray *pendingNotifications = [[[UIApplication sharedApplication] scheduledLocalNotifications] sortedArrayUsingComparator:^(id obj1, id obj2) {
        if ([obj1 isKindOfClass:[UILocalNotification class]] && [obj2 isKindOfClass:[UILocalNotification class]])
        {
            UILocalNotification *notif1 = (UILocalNotification *)obj1;
            UILocalNotification *notif2 = (UILocalNotification *)obj2;
            return [notif1.fireDate compare:notif2.fireDate];
        }

        return NSOrderedSame;
    }];

    // if there are any pending notifications -> adjust their badge number
    if (pendingNotifications.count != 0)
    {
        // clear all pending notifications
        [[UIApplication sharedApplication] cancelAllLocalNotifications];

        // the for loop will 'restore' the pending notifications, but with corrected badge numbers
        // note : a more advanced method could 'sort' the notifications first !!!
        NSUInteger badgeNbr = 1;

        for (UILocalNotification *notification in pendingNotifications)
        {
            // modify the badgeNumber
            notification.applicationIconBadgeNumber = badgeNbr++;

            // schedule 'again'
            [[UIApplication sharedApplication] scheduleLocalNotification:notification];
        }
    }
}

через некоторое время мне нужно было реализовать это на Swift, но также необходимо было поддержать повторение локальных уведомлений. Я придумал решение для Swift.

решение для Swift 2.3

func renumberBadgesOfPendingNotifications() {
    let app = UIApplication.sharedApplication()
    let pendingNotifications = app.scheduledLocalNotifications

    // clear the badge on the icon
    app.applicationIconBadgeNumber = 0

    // first get a copy of all pending notifications (unfortunately you cannot 'modify' a pending notification)
    // if there are any pending notifications -> adjust their badge number
    if let pendings = pendingNotifications where pendings.count > 0 {

        // Reassign firedate.
        var notifications = pendings
        var i = 0
        for notif in notifications {
            if notif.fireDate?.compare(NSDate()) == NSComparisonResult.OrderedAscending &&
            notif.repeatInterval.rawValue == NSCalendarUnit.init(rawValue:0).rawValue {
                // Skip notification scheduled earlier than current date time
                // and if it is has NO REPEAT INTERVAL
            }
            else {
                notif.fireDate = getFireDate(notif)
            }

            i+=1
        }

        // sorted by fire date.
        notifications = pendings.sort({ p1, p2 in p1.fireDate!.compare(p2.fireDate!) == .OrderedAscending })

        // clear all pending notifications
        app.cancelAllLocalNotifications()

        // the for loop will 'restore' the pending notifications, but with corrected badge numbers
        var badgeNumber: Int = 1
        for n in notifications {
            // modify the badgeNumber
            n.applicationIconBadgeNumber = badgeNumber

            badgeNumber+=1
            // schedule 'again'
            app.scheduleLocalNotification(n)
        }
    }
}

private func getFireDate(notification:UILocalNotification?) -> NSDate? {
        if notification == nil {
            return nil
        }

        let currentDate: NSDate = NSDate().dateByRemovingSeconds()
        let originalDate: NSDate = notification!.fireDate!
        var fireDate: NSDate? = originalDate

        if originalDate.compare(currentDate) == NSComparisonResult.OrderedAscending ||
            originalDate.compare(currentDate) == NSComparisonResult.OrderedSame {

            let currentDateTimeInterval = currentDate.timeIntervalSinceReferenceDate
            let originalDateTimeInterval = originalDate.timeIntervalSinceReferenceDate
            var frequency:NSTimeInterval = 0

            switch notification?.repeatInterval {
            case NSCalendarUnit.Hour?:
                frequency = currentDate.dateByAddingHours(1).timeIntervalSinceDate(currentDate)
                print(frequency)
                break
            case NSCalendarUnit.Day?:
                frequency = currentDate.dateByAddingDays(1).timeIntervalSinceDate(currentDate)
                print(frequency)
                break
            case NSCalendarUnit.WeekOfYear?:
                frequency = currentDate.dateByAddingDays(7).timeIntervalSinceDate(currentDate)
                print(frequency)
                break
            case NSCalendarUnit.Month?:
                frequency = currentDate.dateByAddingMonths(1).timeIntervalSinceDate(currentDate)
                print(frequency)
                break
            case NSCalendarUnit.Year?:
                frequency = currentDate.dateByAddingYears(1).timeIntervalSinceDate(currentDate)
                print(frequency)
                break
            default:
                originalDate
            }

            let timeIntervalDiff = (((currentDateTimeInterval - originalDateTimeInterval) / frequency) + frequency) + originalDateTimeInterval
            fireDate = NSDate(timeIntervalSinceReferenceDate: timeIntervalDiff)
        }

        return fireDate?.dateByRemovingSeconds()
    }

Примечание: dateByAddingHours, dateByAddingHours, dateByAddingMonths, dateByAddingYears, dateByRemovingSeconds методы из DateExtension я использую и описательные методы, которые можно реализовать самостоятельно.


в качестве альтернативы решению Bionicle можно использовать NSSortDescriptor для обработки сортировки на основе поля fireDate. Опять же, это решение предоставляет все преимущества оригинального ответа Whasssaaahhh, но также означает, что оно может обрабатывать уведомления, добавляемые в не хронологическом порядке, например, добавление уведомления за 30 секунд, а затем за 20 секунд. Я вызываю функцию ниже при добавлении локального уведомления и при возвращении в приложение.

// When we add/remove local notifications, if we call this function, it will ensure each notification
// will have an ascending badge number specified.
- (void)renumberBadgesOfPendingNotifications
{
    // Clear the badge on the icon
    [[UIApplication sharedApplication] setApplicationIconBadgeNumber:0];

    // First get a copy of all pending notifications (unfortunately you cannot 'modify' a pending notification)
    NSMutableArray * pendingNotifications = [[[UIApplication sharedApplication] scheduledLocalNotifications] mutableCopy];

    // Sorted by fire date.
    NSSortDescriptor *sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"fireDate" ascending:TRUE];
    [pendingNotifications sortUsingDescriptors:[NSArray arrayWithObject:sortDescriptor]];
    [sortDescriptor release];

    // if there are any pending notifications -> adjust their badge number
    if (pendingNotifications.count != 0)
    {
        // clear all pending notifications
        [[UIApplication sharedApplication] cancelAllLocalNotifications];

        // the for loop will 'restore' the pending notifications, but with corrected badge numbers
        // note : a more advanced method could 'sort' the notifications first !!!
        NSUInteger badgeNbr = 1;

        for (UILocalNotification *notification in pendingNotifications)
        {
            // modify the badgeNumber
            notification.applicationIconBadgeNumber = badgeNbr++;

            // schedule 'again'
            [[UIApplication sharedApplication] scheduleLocalNotification:notification];
        }
    }

    // Release our copy.
    [pendingNotifications release];
}

на основе ответов Wassaahbbs и Bionicles выше, для Swift 3.0 это, похоже, работает для Повторение Локальных Уведомлений. У меня он работает для настройки 4 локальных уведомлений, каждый из которых может быть включен и выключен независимо.

функция renumberBadgesOfPendingNotifications вызывается в AppDelegate applicationDidBecomeActive, поэтому значки обновляются, если пользователь открывает приложение после уведомления. А также в settingsVC, где функция setNotification устанавливает уведомления в первую очередь и в случае, если пользователь включает или выключает уведомление, требуя обновления значка.

также значок установлен в 0 в applicationDidBecomeActive с UIApplication.общий.applicationIconBadgeNumber = 0.

func renumberBadgesOfPendingNotifications() {
    // first get a copy of all pending notifications (unfortunately you cannot 'modify' a pending notification)
    let pendingNotifications = UIApplication.shared.scheduledLocalNotifications
    print("AppDel there are \(pendingNotifications?.count) pending notifs now")

    // if there are any pending notifications -> adjust their badge number
    if var pendings = pendingNotifications, pendings.count > 0 {

        // sort into earlier and later pendings
        var notifications = pendings
        var earlierNotifs = [UILocalNotification]()
        var laterNotifs = [UILocalNotification]()

        for pending in pendings {

            // Skip notification scheduled earlier than current date time
            if pending.fireDate?.compare(NSDate() as Date) == ComparisonResult.orderedAscending {
                // and use this if it has NO REPEAT INTERVAL && notif.repeatInterval.rawValue == NSCalendar.Unit.init(rawValue:0).rawValue {

                // track earlier and later pendings
                earlierNotifs.append(pending)
            }
            else {
                laterNotifs.append(pending)
            }
        }

        print("AppDel there are \(earlierNotifs.count) earlier notifications")
        print("AppDel there are \(laterNotifs.count) later notifications")

        // change the badge on the notifications due later
        pendings = laterNotifs

        // sorted by fireDate.
        notifications = pendings.sorted(by: { p1, p2 in p1.fireDate!.compare(p2.fireDate!) == .orderedAscending })

        // clear all pending notifications. i.e the laterNotifs
        for pending in pendings {
            UIApplication.shared.cancelLocalNotification(pending)
        }

        // the for loop will 'restore' the pending notifications, but with corrected badge numbers
        var laterBadgeNumber = 0
        for n in notifications {

            // modify the badgeNumber
            laterBadgeNumber += 1
            n.applicationIconBadgeNumber = laterBadgeNumber

            // schedule 'again'
            UIApplication.shared.scheduleLocalNotification(n)
            print("AppDel later notif scheduled with badgenumber \(n.applicationIconBadgeNumber)")
        }

        // change the badge on the notifications due earlier
        pendings = earlierNotifs

        // sorted by fireDate.
        notifications = pendings.sorted(by: { p1, p2 in p1.fireDate!.compare(p2.fireDate!) == .orderedAscending })

        // clear all pending notifications. i.e the laterNotifs
        for pending in pendings {
            UIApplication.shared.cancelLocalNotification(pending)
        }

        // the for loop will 'restore' the pending notifications, but with corrected badge numbers
        var earlierBadgeNumber = laterBadgeNumber
        for n in notifications {

            // modify the badgeNumber
            earlierBadgeNumber += 1
            n.applicationIconBadgeNumber = earlierBadgeNumber

            // schedule 'again'
            UIApplication.shared.scheduleLocalNotification(n)
            print("AppDel earlier notif scheduled with badgenumber \(n.applicationIconBadgeNumber)")
        }
    }
}

на основе ответов Wassaahbbs и Bionicles выше. Swift 4.0, для всех версий iOS. Вызовите эту функцию в func applicationDidBecomeActive(_ application: UIApplication).

func renumberBadgesOfPendingNotifications() {
    if #available(iOS 10.0, *) {
        UNUserNotificationCenter.current().getPendingNotificationRequests { pendingNotificationRequests in
            if pendingNotificationRequests.count > 0 {
                let notificationRequests = pendingNotificationRequests
                    .filter { .trigger is UNCalendarNotificationTrigger }
                    .sorted(by: { (r1, r2) -> Bool in
                        let r1Trigger = r1.trigger as! UNCalendarNotificationTrigger
                        let r2Trigger = r2.trigger as! UNCalendarNotificationTrigger
                        let r1Date = r1Trigger.nextTriggerDate()!
                        let r2Date = r2Trigger.nextTriggerDate()!

                        return r1Date.compare(r2Date) == .orderedAscending
                    })

                let identifiers = notificationRequests.map { .identifier }
                UNUserNotificationCenter.current().removePendingNotificationRequests(withIdentifiers: identifiers)

                notificationRequests.enumerated().forEach { (index, request) in
                    if let trigger = request.trigger {
                        let content = UNMutableNotificationContent()
                        content.body = request.content.body
                        content.sound = .default()
                        content.badge = (index + 1) as NSNumber

                        let request = UNNotificationRequest(identifier: request.identifier, content: content, trigger: trigger)
                        UNUserNotificationCenter.current().add(request)
                    }
                }
            }
        }
    } else if let pendingNotifications = UIApplication.shared.scheduledLocalNotifications, pendingNotifications.count > 0 {
        let notifications = pendingNotifications
            .filter { .fireDate != nil }
            .sorted(by: { n1, n2 in n1.fireDate!.compare(n2.fireDate!) == .orderedAscending })

        notifications.forEach { UIApplication.shared.cancelLocalNotification() }
        notifications.enumerated().forEach { (index, notification) in
            notification.applicationIconBadgeNumber = index + 1
            UIApplication.shared.scheduleLocalNotification(notification)
        }
    }
}

поскольку iOS10 можно определить номер значка непосредственно на UNMutableNotificationContent.

вот что работает для меня:

Я работаю над приложением, которое добавляет уведомление на основе даты (с CalendarComponents), мой триггер UNCalendarNotificationTrigger. Мой код прост:

let content = UNMutableNotificationContent()
        content.title = "Title"
        content.body = "Your message"
        content.sound = .default()
        content.badge = NSNumber(value: UIApplication.shared.applicationIconBadgeNumber + 1)

о content.badge, доктор говорит :

значок var: NSNumber? { get set }

описание Номер распространяться значок приложения.

используйте это свойство, чтобы указать номер для применения значок приложения при поступлении уведомления. Если ваше приложение не разрешено отображать уведомления на основе значков, это свойство игнорируемый.

укажите номер 0, чтобы удалить текущий значок, если он присутствует. Укажите число больше 0, чтобы отобразить значок с номером. Указать nil, чтобы оставить знак без изменений.

SDKs iOS 10.0+, tvOS 10.0+, в watchOS 3.0+

значок увеличивается при добавлении уведомления, даже если приложение не работает. Вы можете очистить номер значка, где вы хотите в приложении с:

UIApplication.shared.applicationIconBadgeNumber = 0