当用户清除我的通知时,我想重置我的服务变量:仅此而已!
环顾四周,我看到每个人都建议在我的通知上添加删除意图,但意图用于启动活动、服务或任何东西,而我只需要这样的东西:
void onClearPressed(){
aVariable = 0;
}
如何获得这个结果?
当用户清除我的通知时,我想重置我的服务变量:仅此而已!
环顾四周,我看到每个人都建议在我的通知上添加删除意图,但意图用于启动活动、服务或任何东西,而我只需要这样的东西:
void onClearPressed(){
aVariable = 0;
}
如何获得这个结果?
通知不是由您的应用程序管理的,所有诸如显示通知和清除通知之类的事情实际上都是在另一个进程中发生的。出于安全原因,您不能让另一个应用程序直接执行一段代码。
在您的情况下,唯一的可能性是提供一个PendingIntent
仅包含常规 Intent 并在清除通知时代表您的应用程序启动的方法。您需要PendingIntent
用于发送广播或启动服务,然后在广播接收器或服务中执行您想要的操作。具体使用什么取决于您显示通知的应用程序组件。
在广播接收器的情况下,您可以为广播接收器创建一个匿名内部类并在显示通知之前动态注册它。它看起来像这样:
public class NotificationHelper {
private static final String NOTIFICATION_DELETED_ACTION = "NOTIFICATION_DELETED";
private final BroadcastReceiver receiver = new BroadcastReceiver() {
@Override
public void onReceive(Context context, Intent intent) {
aVariable = 0; // Do what you want here
unregisterReceiver(this);
}
};
public void showNotification(Context ctx, String text) {
Intent intent = new Intent(NOTIFICATION_DELETED_ACTION);
PendingIntent pendintIntent = PendingIntent.getBroadcast(ctx, 0, intent, 0);
registerReceiver(receiver, new IntentFilter(NOTIFICATION_DELETED_ACTION));
Notification n = new Notification.Builder(mContext).
setContentText(text).
setDeleteIntent(pendintIntent).
build();
NotificationManager.notify(0, n);
}
}
安德烈是正确的。
如果您想要返回多条消息,例如:
您必须注册每个响应过滤器:
public void showNotification(Context ctx, String text) ()
{
/… create intents and pending intents same format as Andrie did../
/… you could also set up the style of your message box etc. …/
//need to register each response filter
registerReceiver(receiver, new IntentFilter(CLICK_ACTION));
registerReceiver(receiver, new IntentFilter(USER_RESPONSE_ACTION));
registerReceiver(receiver, new IntentFilter(NOTIFICATION_DELETED_ACTION));
Notification n = new Notification.Builder(mContext)
.setContentText(text)
.setContentIntent(pendingIntent) //Click action
.setDeleteIntent(pendingCancelIntent) //Cancel/Deleted action
.addAction(R.drawable.icon, "Title", pendingActionIntent) //Response action
.build();
NotificationManager.notify(0, n);
}
然后,您可以使用 if、else 语句(如 Andrei 所做的那样)或 switch 语句来捕捉不同的响应。
注意:我做出这个回应主要是因为我在任何地方都找不到这个,我必须自己弄清楚。(也许我会更好地记住它 :-) 玩得开心!