Estou usando uma notificação do Android para alertar o usuário quando um serviço é concluído (sucesso ou falha) e desejo excluir os arquivos locais quando o processo for concluído.
Meu problema é que, em caso de falha - quero deixar ao usuário a opção de "repetir". e se ele escolher não tentar novamente e descartar a notificação, desejo excluir os arquivos locais salvos para fins de processo (imagens ...).
Existe uma maneira de capturar o evento deslizar para dispensar da notificação?
fonte
builder.setAutoCancel(true);
porque quando um usuário clica na notificação e ela é cancelada, delete-Intent não é acionadoUma resposta totalmente corada (com agradecimentos ao Sr. Me pela resposta):
1) Crie um receptor para lidar com o evento de deslizar para dispensar:
public class NotificationDismissedReceiver extends BroadcastReceiver { @Override public void onReceive(Context context, Intent intent) { int notificationId = intent.getExtras().getInt("com.my.app.notificationId"); /* Your code to handle the event here */ } }
2) Adicione uma entrada ao seu manifesto:
<receiver android:name="com.my.app.receiver.NotificationDismissedReceiver" android:exported="false" > </receiver>
3) Crie a intent pendente usando um id exclusivo para a intent pendente (o id de notificação é usado aqui), pois sem isso os mesmos extras serão reutilizados para cada evento de dispensa:
private PendingIntent createOnDismissedIntent(Context context, int notificationId) { Intent intent = new Intent(context, NotificationDismissedReceiver.class); intent.putExtra("com.my.app.notificationId", notificationId); PendingIntent pendingIntent = PendingIntent.getBroadcast(context.getApplicationContext(), notificationId, intent, 0); return pendingIntent; }
4) Crie sua notificação:
Notification notification = new NotificationCompat.Builder(context) .setContentTitle("My App") .setContentText("hello world") .setWhen(notificationTime) .setDeleteIntent(createOnDismissedIntent(context, notificationId)) .build(); NotificationManager notificationManager = (NotificationManager) context.getSystemService(Context.NOTIFICATION_SERVICE); notificationManager.notify(notificationId, notification);
fonte
setAutoCancel(true)
, a notificação será cancelada quando clicada e também transmitirá a intenção de exclusão [ developer.android.com/reference/android/support/v4/app/…Outra ideia:
se você criar uma notificação normalmente, também precisará das ações um, dois ou 3 deles. Eu criei um "NotifyManager" que cria todas as notificações de que preciso e também recebe todas as chamadas de Intent. Assim, posso gerenciar todas as ações E também pegar o evento de dispensa em UM lugar.
public class NotifyPerformService extends IntentService { @Inject NotificationManager notificationManager; public NotifyPerformService() { super("NotifyService"); ...//some Dagger stuff } @Override public void onHandleIntent(Intent intent) { notificationManager.performNotifyCall(intent); }
para criar o deleteIntent, use isto (no NotificationManager):
private PendingIntent createOnDismissedIntent(Context context) { Intent intent = new Intent(context, NotifyPerformMailService.class).setAction("ACTION_NOTIFY_DELETED"); PendingIntent pendingIntent = PendingIntent.getService(context, SOME_NOTIFY_DELETED_ID, intent, 0); return pendingIntent; }
e O QUE eu uso para definir o intent de exclusão assim (no NotificationManager):
private NotificationCompat.Builder setNotificationStandardValues(Context context, long when){ String subText = "some string"; NotificationCompat.Builder builder = new NotificationCompat.Builder(context.getApplicationContext()); builder .setLights(ContextUtils.getResourceColor(R.color.primary) , 1800, 3500) //Set the argb value that you would like the LED on the device to blink, as well as the rate .setAutoCancel(true) //Setting this flag will make it so the notification is automatically canceled when the user clicks it in the panel. .setWhen(when) //Set the time that the event occurred. Notifications in the panel are sorted by this time. .setVibrate(new long[]{1000, 1000}) //Set the vibration pattern to use. .setLargeIcon(BitmapFactory.decodeResource(context.getResources(), R.mipmap.ic_launcher)) .setSmallIcon(R.drawable.ic_white_24dp) .setGroup(NOTIFY_GROUP) .setContentInfo(subText) .setDeleteIntent(createOnDismissedIntent(context)) ; return builder; }
e finalmente no mesmo NotificationManager está a função de execução:
public void performNotifyCall(Intent intent) { String action = intent.getAction(); boolean success = false; if(action.equals(ACTION_DELETE)) { success = delete(...); } if(action.equals(ACTION_SHOW)) { success = showDetails(...); } if(action.equals("ACTION_NOTIFY_DELETED")) { success = true; } if(success == false){ return; } //some cleaning stuff }
fonte