- Программирование для Android: уведомления с использованием AlarmManager
- techLog
- Scheduling Repeating Local Notifications using Alarm Manager
- Introduction
- Scheduling Repeating Local Notifications using Alarm Manager
- Give user option to enable/disable notifications
- Components
- Scheduling notifications using Alarm Manager
- AlarmReceiver (BroadcastReceiver)
- NotificationHelper
- Don’t loose your notifications settings across device boots
- How to schedule notifications using AlarmManager?
- AlarmManager in Android:
- Schedule repeating notifications:
- Android AlarmManager Broadcast Receiver And Service
- Android Tutorial
- AlarmManager Broadcast Receiver Service
- Project Structure
- Alarm Service — сигнализация
- Теория
- Менеджер оповещений AlarmManager
- Методы
- Параметры
- Служба
- Установка времени для сигнализаций
Программирование для Android: уведомления с использованием AlarmManager
Многим обладателям телефонов с Android, владеющим элементарными навыками программирования, хотелось или захочется написать свою «программку для телефона». Учитывая рост популярности этой ОС и факт существования Android Market, эта идея может еще и денег принести.
Особенность Android в том, что ребята из Google дают разработчику разрешение использовать все (вернее, почти все) возможности телефона. Можно перехватывать звонки, рассылать SMS, и многое другое. Одна из полезных вещей — уведомления, появляющиеся в соответствующей области вверху экрана. В этом посте я расскажу, как легко и просто их организовать.
Итак, ставим задачу: в определенное время, ежедневно, уведомлять пользователя о необходимости запустить приложение и что-то в нем сделать. Ну и совсем здорово, если по нажатию на уведомление запустится нужное приложение.
Нам понадобятся следующие классы:
AlarmManager — собственно, эта штука и умеет генерировать системные события по заданым параметрам
BroadcastReceiver — для обработки событий AlarmManager
NotificationManager — а эта штука умеет показывать уведомления
Первым делом, создадим класс — приемник:
public class TimeNotification extends BroadcastReceiver <
@Override
public void onReceive(Context context, Intent intent) <
// Этот метод будет вызываться по событию, сочиним его позже
>
>
Обязательно следует упомянуть об этом в манифесте (в разделе application):
Затем, идем в основной класс нашего приложения (допустим, MainActivity). Здесь нам необходимо обеспечить функционал по запуску и настройке AlarmManager.
Предположим, что задачу установки пользователем настроек мы уже решили, и у нас есть глобальная переменная stamp, в которой хранится время следующего показа уведомления.
private void restartNotify() <
am = (AlarmManager) getSystemService(Context.ALARM_SERVICE);
Intent intent = new Intent(this, TimeNotification.class);
PendingIntent pendingIntent = PendingIntent.getBroadcast(this, 0,
intent, PendingIntent.FLAG_CANCEL_CURRENT );
// На случай, если мы ранее запускали активити, а потом поменяли время,
// откажемся от уведомления
am.cancel(pendingIntent);
// Устанавливаем разовое напоминание
am.set(AlarmManager.RTC_WAKEUP, stamp.getTime(), pendingIntent);
>
Почему разовое, спросите вы? У AlarmManager есть метод setRepeat, где можно задать интервал. Но мне кажется, проще перезапустить процесс при обработке события, на случай смены настроек и т.п. Хотя, это личное дело каждого, оба варианта будут работать.
Ну и, собственно, реализуем обработчик
public void onReceive(Context context, Intent intent) <
nm = (NotificationManager) context.getSystemService(Context.NOTIFICATION_SERVICE);
Notification notification = new Notification(R.drawable.icon, «Test», System.currentTimeMillis());
//Интент для активити, которую мы хотим запускать при нажатии на уведомление
Intent intentTL = new Intent(context, MainActivity.class);
notification.setLatestEventInfo(context, «Test», «Do something!»,
PendingIntent.getActivity(context, 0, intentTL,
PendingIntent.FLAG_CANCEL_CURRENT));
notification.flags = Notification.DEFAULT_LIGHTS | Notification.FLAG_AUTO_CANCEL;
nm.notify(1, notification);
// Установим следующее напоминание.
AlarmManager am = (AlarmManager) context.getSystemService(Context.ALARM_SERVICE);
PendingIntent pendingIntent = PendingIntent.getBroadcast(context, 0,
intent, PendingIntent.FLAG_CANCEL_CURRENT);
am.set(AlarmManager.RTC_WAKEUP, System.currentTimeMillis() + AlarmManager.INTERVAL_DAY, pendingIntent);
>
Вот и все. Надеюсь, в будущем написать и о других простых, но полезных возможностях для разработчика приложений под Android
Источник
techLog
Explore | Android | Flutter | Software Engineering
Scheduling Repeating Local Notifications using Alarm Manager
Posted on April 18, 2017 in Development
Introduction
This tutorial is a quick start guide to get you started with Local Notifications in Android.
Scheduling Repeating Local Notifications using Alarm Manager
I’ll be using Alarm Manager to schedule repeating local notifications in this sample app. This sample app will send a local notification every morning at 8am. I’m covering the use case that app is either in background or killed at the time when notification is received. When user clicks on the notification, it takes user to app’s main activity.
Give user option to enable/disable notifications
It’s very important to give user option to opt-out or opt-in for local notifications. You may want to do this in Settings Activity. When user has opted-in for local notifications, then AlarmManager starts sending local notifications to user every morning. Time to send notifications can be configured or just be default. I’ll be using a default of 8am in this demo.
Components
Scheduling notifications using Alarm Manager
There’re two types of Alarms can be scheduled: — Wall clock time — Elapsed time (since device is booted). Read more about them here I’ll be scheduling notifications using both kind of alarms.
Scheduling RTC
Scheduling Elapsed
AlarmReceiver (BroadcastReceiver)
AlarmReceiver class extends BroadcastReceiver . This handles the AlarmManager’s broadcast about sending local notifications at a given time.
Note: Don’t forget to add tag in AndroidManifest.xml
NotificationHelper
Don’t loose your notifications settings across device boots
Alarms will be cancelled when a device re-boots, so your notification settings. In order to persist your notifications setting or alarms across device reboots, you would need to reset alarm when a device boots up.
AndroidManifest.xml configuration
Add this permission in AndroidManifest.xml
Implementing Boot Receiver
AlarmBootReceiver will look like this:
Enable boot receiver when Alarm is set. It means if user opts-into notifications, then enable boot receiver as part of enabling notification code.
When user opts-out from notifications, you can cancel alarm and also disable boot receiver like this:
References:
- Source Code is available here
- More details you can find here
Like this article? Share it with your friends!
Источник
How to schedule notifications using AlarmManager?
This article is a quick guide to get you started with Local Notifications in Android.
Scheduling and repeating notifications are generally used to notify the user about some event. For example, an expense tracking application can use a local reminder to notify their users to add daily expenses. Here I’m going to explain this concept with a sample application. I’ll be using AlarmManager to schedule local notifications in the above-mentioned demo app.
AlarmManager in Android:
AlarmManager is a class provides access to the system alarm services. It allows you to schedule your application to be run at some point in the future. Registered alarms are retained while the device is asleep, but will be cleared if it is turned off and rebooted. It is different from Timer and TimerTask.
Schedule repeating notifications:
Repeating alarms are a good choice for scheduling periodic notifications. A repeating alarm has the following characteristics:
- An alarm type – Android supports two clock types for alarm service ” elapsed real time ” and ” real time clock “(RTC). Elapsed real time uses the “time since system boot” as a reference, and real time clock uses UTC (wall clock) time.
- A trigger time – You have to specify the time to trigger the alarm. If the trigger time you specify is in the past, the alarm triggers immediately. So you need to handle this kind of scenario.
- The alarm’s interval. – Mention the time interval between the alarms.
- PendingIntent – It fires when the alarm is triggered.
The following code snippet is used to set repeating alarm.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters. Learn more about bidirectional Unicode characters
Источник
Android AlarmManager Broadcast Receiver And Service
Android Tutorial
In this tutorial, we’ll be discussing AlarmManager and Broadcast Receiver and see how to trigger a Background Service using them in our Android Application.
AlarmManager Broadcast Receiver Service
An AlarmManager is used to trigger some code at a specific time. It uses the Android SDK’s alarm service and runs independently of the application’s lifecycle.
To start an Alarm Manager you need to first get the instance from the System. Then pass the PendingIntent which would get executed at a future time that you specify.
There are different types of Alarm Manager that can be invoked:
- setInExactAndRepeating – This doesn’t trigger the alarm at the exact time.
- setExact – Setting an alarm manager using this ensures that the OS triggers the alarm at almost the exact time.
- setExactAndAllowWhileIdle – This method came up with Android M. These types of alarms are allowed to get executed even in low power modes.
You need to be careful while using the Alarm Manager since they can consume battery if not handled properly.
Normally, an alarm manager cannot repeat before a minute. Also in low power mode, the duration can increase to up to 15 minutes.
Broadcast Receivers listen to system-wide and application events.
In order to trigger a Broadcast Receiver when the system is rebooted, you need to call ACTION_BOOT_COMPLETED .
In the following section, we’ll be showing how to use an Alarm Manager to trigger a Broadcast Receiver which ultimately calls a background service.
Project Structure
Android Alarm Broadcast Service Project
You need to register your Broadcast Receiver and Service in the AndroidManifest.xml as shown below:
In order to ensure that the Broadcast Receiver gets triggered properly on reboot in Android N and above, you need to set the directBootAware to be true and LOCKED_BOOT_COMPLETED
The code for the activity_main.xml layout is given below:
The code for the MainActivity.java is given below:
The code for the MyBroadcastReceiver.java file is given below:
We trigger the Service when the phone is rebooted. Inside the Service, we start a repeating alarm.
The code for the MyService.java class is given below:
The output of the above application in action is given below:
Android Alarm Broadcast Service Output
That brings an end to this tutorial. You can download the project from the link below:
Источник
Alarm Service — сигнализация
2-й курс/Закрытая зона
Теория
Служба Alarm Service используется для отправки пользователю разовых или повторяющихся сообщений в заданное время. Таким образом вы сможете создавать различные планировщики, будильники, реализовать выполнение регулярных сетевых запросов, запуска трудоёмких или дорогих операций, запланированных на определенное время и другие приложения, которые должны срабатывать по расписанию.
Важно помнить, что механизм сигнализации не зависит от конкретного приложения, это значит, что прописанные намерения сработают в определённое время или с заданным интервалом. Так как сигнализация устанавливается за пределами вашего приложения, она может быть использована для вызова событий, принадлежащих приложению, или для запуска самого приложения, даже если оно закрыто. Сигнализация может стать мощным инструментом в сочетании с приёмниками широковещательных намерений.
Таким образом, сигнализация чрезвычайно полезна, когда речь идет о снижении требований к ресурсам, особенно в случае с приложениями, которые работают в фоновом режиме, позволяя останавливать сервисы и отключать таймеры, сохраняя возможность выполнять запланированные действия.
Сигнализация в Android остается активной даже тогда, когда устройство находится в режиме ожидания и при необходимости может его «пробудить», однако она отменяется каждый раз, когда устройство перезагружается.
Менеджер оповещений AlarmManager
Доступ к службе Alarm Service осуществляется при помощи объекта AlarmManager следующим образом:
Методы
- cancel() — удаляет все сигнализации
- setTime() — устанавливает системное время
- setTimeZone() — устанавливает временную зону
- set() — задаёт одноразовую сигнализацию
- setExact() — в API 19 (Kitkat) метод set() заменили на новый метод с теми же параметрами
- setRepeating() — задаёт повторяющиеся сигнализации с фиксированным временным интервалом
- setInexactRepeating() — устанавливает повторяющиеся сигнализации без строгого требования к точности периода повторения. Этот метод является предпочтительнее предыдущего для экономии ресурсов системы
Чтобы создать сигнализацию, которая сработает всего один раз, используйте метод set(), укажите тип сигнализации, время срабатывания и ожидающее намерение, которое должно запуститься. Если время срабатывания, которое вы указали для сигнализации, уже прошло, указанное намерение запустится немедленно.
Параметры
Методы set(), setRepeating(), setInexactRepeating() используют следующие параметры:
- typeOne — тип используемого времени (системное или всемирное время UTC), который определяется константами
- ELAPSED_REALTIME — запускает ожидающее намерение, основываясь на времени, которое прошло с момента загрузки устройства, но не с момента выхода из режима ожидания. Это время включает любой временной промежуток, в котором устройство находилось в данном режиме. Обратите внимание, что прошедшее время вычисляется на основании того, когда устройство было загружено. Используется системное время
- ELAPSED_REALTIME_WAKEUP — по прошествии указанного промежутка времени с момента загрузки выводит устройство из спящего режима и запускает ожидающее намерение. Используется системное время
- RTC — запускает ожидающее намерение в указанное время, но не выводит устройство из режима ожидания. Используется всемирное время UTC
- RTC_WAKEUP — выводит устройство из режима ожидания для запуска ожидающего намерения в указанное время. Используется всемирное время UTC
- triggerTime — время работы оповещения
- interval — интервал между отправкой повторных сигнализаций в миллисекундах. Также можно использовать константы
- INTERVAL_DAY
- INTERVAL_HALF_DAY
- INTERVAL_HOUR
- INTERVAL_HALF_HOUR
- INTERVAL_FIFTEEN_MINUTES
- operation — объект PendingIntent, определяющий действие, выполняемое при запуске сигнализации. Можно получить через специальные методы:
- PendingIntent.getActivities(Context, int, Intent[], int)
- PendingIntent.getActivity(Context, int, Intent, int)
- PendingIntent.getService(Context, int, Intent, int)
- PendingIntent.getBroadcast(Context, int, Intent, int)
Служба
Для установки сигнализации вам придётся создать собственную службу, наследуясь от базового класса Service (либо через приёмник BroadcastReceiver):
Запуск и управление службой происходит при помощи объекта Intent.
Установка времени для сигнализаций
Для задания времени работы оповещения необходимо установить его время запуска и добавить к нему длительность работы этого оповещения. Например, нам необходимо, чтобы оповещение отрабатывало 5 секунд после запуска:
Также можно использовать объект Calendar. Например, мы хотим, чтобы продолжительность сигнала оповещения была 10 секунд, а период повторения оповещения был один час:
Вы вошли на сайт, как гость.
Необходимо зарегистрироваться, чтобы прочитать статью
Источник