Android:安装软件包后,我试图从通知栏取消通知。
我在做什么如下:

 public class MyBroadcastReceiver extends BroadcastReceiver {

                private static final String TAG = "MyBroadcastReceiver";

                @Override
                public void onReceive(Context context, Intent intent) {
                    String action = intent.getAction();
                    if (Intent.ACTION_PACKAGE_ADDED.equals(action)) {
                        Uri data = intent.getData();
                        //some code goes here
                        //get the id of the notification to cancel in some way
                        notificationhelper._completeNotificationManager.cancel(id);
                        }
                }
            }

在哪里
public class notificationhelper {
    public static NotificationManager _completeNotificationManager = null;

    public void complete() {
        if (_completeNotificationManager == null)
            _completeNotificationManager = (NotificationManager) _context.getSystemService(Context.NOTIFICATION_SERVICE);
            Notification notification = new Notification(
                R.drawable.notification,
                _context.getString(R.string.notification),
                System.currentTimeMillis());
        notification.flags |= Notification.FLAG_AUTO_CANCEL;
        notification.flags |= Notification.FLAG_NO_CLEAR;
        _completeNotificationManager.notify(TEXT, id, notification);
    }
}

但是notificationhelper._completeNotificationManager.cancel(id)不起作用。我尝试使用notificationhelper._completeNotificationManager.cancelAll();,它可以正常工作。我做错了什么?

最佳答案

根据我的经验,您无法取消具有特定ID的所有通知,无论使用哪种标记。

也就是说,如果您创建两个这样的通知:

notificationManager.notify(TAG_ONE, SAME_ID, notification_one);
notificationManager.notify(TAG_TWO, SAME_ID, notification_two);

然后,notificationManager.cancel(SAME_ID)不会取消任何一个!我怀疑这是因为“标记”字段(如果未在notify()和cancel()中指定)默认为null,因此必须显式取消。

因此,要取消这两个通知,您必须致电:
notificationManager.cancel(TAG_ONE, SAME_ID);
notificationManager.cancel(TAG_TWO, SAME_ID);

在您的情况下,您要提供“TEXT”作为标签,但仅使用id即可取消,默认情况下,该ID使用tag = null。

因此,不要提供TEXT作为标记:
_completeNotificationManager.notify(id, notification);

或者,如果您需要单独的通知并且不希望它们相互干扰,请跟踪 Activity 标签:
_completeNotificationManager.notify(TEXT, id, notification);
collectionOfActiveTags.add(TEXT);

...

for (String activeTag : collectionOfActiveTags)
    notificationhelper._completeNotificationManager.cancel(activeTag, id);

我希望您正在尝试的工作得到支持,似乎应该如此。

关于android - NotificationManager.cancel(id)在广播接收器内部不起作用,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13062798/

10-12 00:35