Мені потрібно запустити блок коду через 20 хвилин після AlarmManager
встановлення.
Хтось може показати мені зразок коду про те, як користуватися AlarmManager
in Android?
Я кілька днів бавився з якимсь кодом, і він просто не буде працювати.
Відповіді:
"Якийсь зразок коду" не так простий, коли справа доходить AlarmManager
.
Ось фрагмент, що показує налаштування AlarmManager
:
AlarmManager mgr=(AlarmManager)context.getSystemService(Context.ALARM_SERVICE);
Intent i=new Intent(context, OnAlarmReceiver.class);
PendingIntent pi=PendingIntent.getBroadcast(context, 0, i, 0);
mgr.setRepeating(AlarmManager.ELAPSED_REALTIME_WAKEUP, SystemClock.elapsedRealtime(), PERIOD, pi);
У цьому прикладі я використовую setRepeating()
. Якщо вам потрібен одноразовий сигнал, ви просто скористаєтесь ним set()
. Обов’язково дайте час для спрацювання будильника в тій самій часовій базі, що і в початковому параметрі до set()
. У наведеному вище прикладі я використовую AlarmManager.ELAPSED_REALTIME_WAKEUP
, тому моя часова база така SystemClock.elapsedRealtime()
.
Ось більший зразок проекту, що демонструє цю техніку.
У прикладі коду для android є кілька хороших прикладів
. \ android-sdk \ sample \ android-10 \ ApiDemos \ src \ com \ example \ android \ apis \ app
Ось, кого слід перевірити:
По-перше, вам потрібен приймач, щось, що може прослуховувати ваш будильник, коли він спрацьовує. Додайте наступне у свій файл AndroidManifest.xml
<receiver android:name=".MyAlarmReceiver" />
Потім створіть наступний клас
public class MyAlarmReceiver extends BroadcastReceiver {
@Override
public void onReceive(Context context, Intent intent) {
Toast.makeText(context, "Alarm went off", Toast.LENGTH_SHORT).show();
}
}
Потім, щоб спрацьовувати будильник, використовуйте наступне (наприклад, у вашій основній діяльності):
AlarmManager alarmMgr = (AlarmManager)getSystemService(Context.ALARM_SERVICE);
Intent intent = new Intent(this, MyAlarmReceiver.class);
PendingIntent pendingIntent = PendingIntent.getBroadcast(this, 0, intent, 0);
Calendar time = Calendar.getInstance();
time.setTimeInMillis(System.currentTimeMillis());
time.add(Calendar.SECOND, 30);
alarmMgr.set(AlarmManager.RTC_WAKEUP, time.getTimeInMillis(), pendingIntent);
.
Або, ще краще, створити клас, який все це обробляє, і використовувати його таким чином
Bundle bundle = new Bundle();
// add extras here..
MyAlarm alarm = new MyAlarm(this, bundle, 30);
таким чином, у вас все це в одному місці (не забудьте відредагувати AndroidManifest.xml
)
public class MyAlarm extends BroadcastReceiver {
private final String REMINDER_BUNDLE = "MyReminderBundle";
// this constructor is called by the alarm manager.
public MyAlarm(){ }
// you can use this constructor to create the alarm.
// Just pass in the main activity as the context,
// any extras you'd like to get later when triggered
// and the timeout
public MyAlarm(Context context, Bundle extras, int timeoutInSeconds){
AlarmManager alarmMgr =
(AlarmManager)context.getSystemService(Context.ALARM_SERVICE);
Intent intent = new Intent(context, MyAlarm.class);
intent.putExtra(REMINDER_BUNDLE, extras);
PendingIntent pendingIntent =
PendingIntent.getBroadcast(context, 0, intent,
PendingIntent.FLAG_UPDATE_CURRENT);
Calendar time = Calendar.getInstance();
time.setTimeInMillis(System.currentTimeMillis());
time.add(Calendar.SECOND, timeoutInSeconds);
alarmMgr.set(AlarmManager.RTC_WAKEUP, time.getTimeInMillis(),
pendingIntent);
}
@Override
public void onReceive(Context context, Intent intent) {
// here you can get the extras you passed in when creating the alarm
//intent.getBundleExtra(REMINDER_BUNDLE));
Toast.makeText(context, "Alarm went off", Toast.LENGTH_SHORT).show();
}
}
Що вам потрібно зробити, це спочатку створити намір, який вам потрібно запланувати. Потім отримайте pendingIntent цього наміру. Ви можете запланувати діяльність, послуги та трансляції. Щоб запланувати діяльність, наприклад MyActivity:
Intent i = new Intent(getApplicationContext(), MyActivity.class);
PendingIntent pi = PendingIntent.getActivity(getApplicationContext(),3333,i,
PendingIntent.FLAG_CANCEL_CURRENT);
Подайте цей очікуваний намір alarmManager:
//getting current time and add 5 seconds in it
Calendar cal = Calendar.getInstance();
cal.add(Calendar.SECOND, 5);
//registering our pending intent with alarmmanager
AlarmManager am = (AlarmManager) getSystemService(ALARM_SERVICE);
am.set(AlarmManager.RTC_WAKEUP,cal.getTimeInMillis(), pi);
Тепер MyActivity буде запущено через 5 секунд після запуску програми, незалежно від того, чи ви зупиняєте програму чи пристрій переходить у режим сну (через опцію RTC_WAKEUP). Ви можете прочитати повний приклад коду Планування діяльності, послуг та трансляцій #Android
Деякі зразки коду, коли ви хочете зателефонувати до служби з Alarmmanager:
PendingIntent pi;
AlarmManager mgr;
mgr = (AlarmManager)ctx.getSystemService(Context.ALARM_SERVICE);
Intent i = new Intent(DataCollectionActivity.this, HUJIDataCollectionService.class);
pi = PendingIntent.getService(DataCollectionActivity.this, 0, i, 0);
mgr.setRepeating(AlarmManager.ELAPSED_REALTIME_WAKEUP, SystemClock.elapsedRealtime() , 1000, pi);
Вам не потрібно запитувати дозволи користувача.
AlarmManager використовується для запуску деякого коду в певний час.
Щоб запустити менеджер тривог, вам потрібно спочатку отримати екземпляр із системи. Потім передайте PendingIntent, який буде виконаний у майбутній час, який ви вказали
AlarmManager manager = (AlarmManager) getSystemService(Context.ALARM_SERVICE);
Intent alarmIntent = new Intent(context, MyAlarmReceiver.class);
PendingIntent pendingIntent = PendingIntent.getBroadcast(context, 0, alarmIntent, 0);
int interval = 8000; //repeat interval
manager.setInexactRepeating(AlarmManager.RTC_WAKEUP, System.currentTimeMillis(), interval, pendingIntent);
Потрібно бути обережним під час використання диспетчера сигналів. Зазвичай менеджер будильників не може повторити це за хвилину. Також у режимі низької потужності тривалість може збільшитися до 15 хвилин.