Есть несколько хороших примеров в андроида примере кода
. \ Android-SDK \ Samples \ андроид-10 \ ApiDemos \ SRC \ COM \ например \ Android \ APIs \ приложение
те, чтобы проверить, являются:
- AlarmController.java
- OneShotAlarm.java
Прежде всего, вам необходим приемник, который может прослушивать ваш сигнал тревоги при его срабатывании. Добавьте следующие строки в файл 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();
}
}
Еще раз. Спасибо за ответ. Если я куплю вашу книгу, это объяснит, как полностью реализовать диспетчер аварийных сигналов? – Tom
Расширенная книга Android (версия 0.9) содержит ~ 9 страниц, охватывающих AlarmManager, WakeLocks и остальную часть этого примера. Это, вероятно, немного изменится в версии 1.0, поскольку я исправлю это в моем ответе выше. И если у вас есть вопросы относительно книги или ее пример кода, перейдите на http://groups.google.com/group/cw-android, и я буду рад ответить на них. – CommonsWare
Любой разработчик Android должен иметь подписку на книги Марка :) По крайней мере один раз – Bostone