5

我正在编写一个 Android 应用程序,用户可以在其中选择几只股票来观看,如果预定义的警报条件匹配,则会收到警报。库存数据保存到自定义 Parcelable 类“警报”的 5 个对象(每个库存和条件一个对象)。定期数据更新是通过由 AlarmManager 启动的服务完成的。警报对象通过将它们放入 Intent 中传递给服务,该 Intent 放入 AlarmManager 的 PendingIntent 中。

    Intent intent = new Intent(this, UpdateService.class);
    Bundle b = new Bundle();
    saveAlertsToBundle(b);      
    intent.putExtras(b);
    intent.setData(Uri.parse("updateManager"));
    PendingIntent pendIntent = PendingIntent.getService(this,0,intent,0);

    // 1min intervall
    long intervall = DateUtils.MINUTE_IN_MILLIS * 1;
    // time of first start
    long firstStartDelay = DateUtils.SECOND_IN_MILLIS * 30;
    long firstStart = System.currentTimeMillis() + firstStartDelay;

    AlarmManager am = (AlarmManager) getSystemService(Context.ALARM_SERVICE);
    // kill running
    am.cancel(pendIntent);
    //start new
    am.setRepeating(AlarmManager.RTC_WAKEUP,firstStart,intervall,pendIntent);

我的问题是:

第一次启动服务时,只有一个警报对象传递给服务,一切正常。一旦存在更多警报对象,它们也需要传递给服务,但这不适用于上面的代码。服务不会收到带有额外警报对象的更新意图,而只会收到只有一个警报对象的初始意图。上面的代码正确地创建了一个包含附加警报对象的 Intent,但它们从未访问过服务。

所以我的问题是,如何将更新的意图传递给已经运行的 AlarmManager。

我已经尝试停止 AlarmManager(在 // kill running 注释处的行)并重新启动它,但这不起作用。也许是因为意图与他被创建时不持有相同的警报对象?我试图通过在意图的数据部分设置一个uri来解决这个问题,但这也没有帮助。

感谢帮助。

4

1 回答 1

2

你的问题是工作方式PendingIntent。系统管理一个PengingIntents 池。当您的代码执行以下操作时:

PendingIntent pendIntent = PendingIntent.getService(this,0,intent,0);

这会导致系统搜索PendingIntent与您传入的参数匹配的 a(在本例中为您的Intent. 但是,PendingIntent使用的匹配算法仅比较 的某些字段Intent以确定它是否是您要查找的字段。特别是,它不比较 extras . 所以这意味着在你创建了第一个PendingIntent之后,调用PendingIntent.getService()总是会PendingIntent从池中返回相同的(而不是创建一个新的,这是你想要的)。

为了在每次调用时都PendingIntent.getService()创建一个新的调用,请尝试使传递给调用的参数唯一,如下所示:PendingIntent

int requestCode = (int) System.currentTimeMillis(); // Create unique request code
PendingIntent pendIntent = PendingIntent.getService(this, requestCode, intent, 0);

由于requestCode每次调用都会有所不同PendingIntent.getService(),这应该可以解决您的问题。

编辑基于以下OP的评论

您想取消现有警报并使用新数据创建一个新警报。在这种情况下,您不需要使用唯一标识符,因为您只想PendingIntent在池中有一个。但是,您想为此更改数据。尝试这个:

// Create a PendingIntent (or update the existing PendingIntent with new values
PendingIntent pendIntent = PendingIntent.getService(this, 0, intent,
                      PendingIntent.FLAG_UPDATE_CURRENT);

AlarmManager am = (AlarmManager) getSystemService(Context.ALARM_SERVICE);
// cancel any pending alarms
am.cancel(pendIntent);
//start new
am.setRepeating(AlarmManager.RTC_WAKEUP,firstStart,intervall,pendIntent);
于 2012-09-24T19:33:50.757 回答