在特定时间关闭 App 时安排 Android 函数

Schedule Android function when App is closed at specific time

我想创建一个每天晚上 20 点发出通知的应用程序。为此,我需要为每天晚上 20 点执行的函数计时。解决这个问题的最佳方法是什么?我应该使用什么?
这是我要执行的功能:

private fun throwNotification() {
    notificationManager = getSystemService(Context.NOTIFICATION_SERVICE) as NotificationManager

    val intent = Intent(applicationContext, MainActivity::class.java)
    val pendingIntent = PendingIntent.getActivity(this, 0, intent, PendingIntent.FLAG_UPDATE_CURRENT)

    notificationChannel = NotificationChannel(channelId, description, NotificationManager.IMPORTANCE_HIGH)
    notificationChannel.enableLights(true)
    notificationChannel.lightColor = Color.RED
    notificationChannel.enableVibration(true)
    notificationManager.createNotificationChannel(notificationChannel)

    builder = Notification.Builder(this, channelId)
        .setContentTitle("Test")
        .setContentText("This is a test notification")
        .setSmallIcon(R.mipmap.ic_launcher)
        .setContentIntent(pendingIntent)
        .setAutoCancel(true)
        .setChannelId(channelId)

    notificationManager.notify(0, builder.build())
}

你应该关注以下任务。

  1. 函数应该在晚上 20 点整执行。
  2. #1 应该每天重复。
  3. 即使应用关闭也应该推送通知。
  4. 以上问题应该与设备是否重启无关。

我找到的解决方案如下,要求应用至少启动一次。

#1~3可以通过AlarmManager实现。 在应用首次启动时,调用以下注册 alarmIntent.

的代码
private var alarmMgr: AlarmManager? = null
private lateinit var alarmIntent: PendingIntent

alarmMgr = context.getSystemService(Context.ALARM_SERVICE) as AlarmManager
alarmIntent = Intent(context, YourAlarmReceiver::class.java).let { intent ->
    PendingIntent.getBroadcast(context, 0, intent, 0)
}

// Set the alarm to start at 20:00.
val calendar: Calendar = Calendar.getInstance().apply {
    timeInMillis = System.currentTimeMillis()
    set(Calendar.HOUR_OF_DAY, 20)
    set(Calendar.MINUTE, 0)
    set(Calendar.SECOND, 0)
}

// setRepeating() lets you specify a precise custom interval--in this case,
// 1 day.
alarmMgr?.setRepeating(
        AlarmManager.RTC_WAKEUP,
        calendar.timeInMillis,
        1000 * 60 * 60 * 24,
        alarmIntent
)

此处,YourAlarmReceiver 的 onReceive() 将在每晚 20 点由 alarmIntent 调用。 所以你要做的只是在这个 onReceive().

中调用 throwNotification()

#4也很简单,话虽这么说,可以通过监听BOOT_COMPLETED事件来实现。